code
stringlengths
3
10M
language
stringclasses
31 values
import std.stdio; import std.csv; import common; import dumbknn; import bucketknn; import quadtree; import kdtree; void main() { //because dim is a "compile time parameter" we have to use "static foreach" //to loop through all the dimensions we want to test. //the {{ are necessary because this block basically gets copy/pasted with //dim filled in with 1, 2, 3, ... 7. The second set of { lets us reuse //variable names. // static foreach(dim; 1..8){{ // //get points of the appropriate dimension // auto trainingPoints = getGaussianPoints!dim(1000); // auto testingPoints = getUniformPoints!dim(100); // auto kd = DumbKNN!dim(trainingPoints); // writeln("tree of dimension ", dim, " built"); // StopWatch sw; // sw.start; // foreach(const ref qp; testingPoints){ // kd.knnQuery(qp, 10); // } // writeln(dim,",", sw.peek.total!"usecs"); //output the time elapsed in microseconds // //NOTE, I SOMETIMES GOT TOTALLY BOGUS TIMES WHEN TESTING WITH DMD // //WHEN YOU TEST WITH LDC, YOU SHOULD GET ACCURATE TIMING INFO... // }} // auto outFile = File("testing.csv","w"); // outFile.writeln("structName,structType,K,N,Dim,avgRuntime"); int numTests = 10; int maxPoints = 200000; int startPoints = 10000; int kStart = 10; int kMax = 100; int numBucketSplits = 50; { // Quad tree timing tests auto quadFile = File("quadTest.csv","w"); quadFile.writeln("structName,structType,K,N,Dim,avgRuntime"); for(int N = startPoints; N <= maxPoints; N += startPoints){ auto quadTrainingPoints = getUniformPoints!2(N); auto quadTestingPoints = getUniformPoints!2(numTests); auto quadTest = quadTree(quadTrainingPoints); StopWatch quadSw; quadSw.start; for(int K = kStart; K <= kMax; K += kStart){ foreach(const ref p; quadTestingPoints){ quadTest.knnQuery(p,K); } long quadAvgUSecs = quadSw.peek.total!"usecs"/cast(long)numTests; quadFile.writeln("Quad",",",1,",",K,",",N,",",2,",",quadAvgUSecs); } } quadFile.flush; quadFile.close; writeln("Quad done"); // KDTree timing tests auto kdFile = File("kdTest.csv","w"); kdFile.writeln("structName,structType,K,N,Dim,avgRuntime"); static foreach(kdDim; 1..8){ writeln("KD Dimension: ",kdDim); for(int N = startPoints; N <= maxPoints; N += startPoints){ auto kdTrainingPoints = getUniformPoints!kdDim(N); auto kdTestingPoints = getUniformPoints!kdDim(numTests); auto kdTest = kdTree!kdDim(kdTrainingPoints); StopWatch kdSw; kdSw.start; for(int K = kStart; K <= kMax; K += kStart){ foreach(const ref p; kdTestingPoints){ kdTest.knnQuery(p,K); } long kdAvgUSecs = kdSw.peek.total!"usecs"/cast(long)numTests; kdFile.writeln("KD",",",2,",",K,",",N,",",kdDim,",",kdAvgUSecs); } } } kdFile.flush; kdFile.close; writeln("KD Done"); // BucketKNN Timing Tests // - For some reason 5 dimensions was just too much for my computer to handle for the bucket auto bucketFile = File("bucketTest.csv","w"); bucketFile.writeln("structName,structType,K,N,Dim,avgRuntime"); static foreach(dim; 1..5){ writeln("Bucket dimension: ",dim); for(int N = startPoints; N <= maxPoints; N += startPoints){ auto bucketTrainingPoints = getUniformPoints!dim(N); auto bucketTestingPoints = getUniformPoints!dim(numTests); auto bucketTest = bucketKNN!dim(bucketTrainingPoints,numBucketSplits); StopWatch bucketSw; bucketSw.start; for(int K = kStart; K <=kMax; K += kStart){ foreach(const ref p; bucketTestingPoints){ bucketTest.KNNQuery(p,K); } long bucketAvgUSecs = bucketSw.peek.total!"usecs"/cast(long)numTests; bucketFile.writeln("Bucket",",",0,",",K,",",N,",",dim,",",bucketAvgUSecs); } } } writeln("Bucket done"); bucketFile.flush; bucketFile.close; } writeln("Timing complete - move to your analysis hot shot"); }
D
module webkit2.WebsiteDataManager; private import gio.AsyncResultIF; private import gio.Cancellable; private import glib.ConstructionException; private import glib.ErrorG; private import glib.GException; private import glib.ListG; private import glib.Str; private import gobject.ObjectG; private import webkit2.CookieManager; private import webkit2.WebsiteData; private import webkit2.c.functions; public import webkit2.c.types; /** * WebKitWebsiteDataManager allows you to manage the data that websites * can store in the client file system like databases or caches. * You can use WebKitWebsiteDataManager to configure the local directories * where the Website data will be stored, by creating a new manager with * webkit_website_data_manager_new() passing the values you want to set. * You can set all the possible configuration values or only some of them, * a default value will be used automatically for the configuration options * not provided. #WebKitWebsiteDataManager:base-data-directory and * #WebKitWebsiteDataManager:base-cache-directory are two special properties * that can be used to set a common base directory for all Website data and * caches. It's possible to provide both, a base directory and a specific value, * but in that case, the specific value takes precedence over the base directory. * The newly created WebKitWebsiteDataManager must be passed as a construct property * to a #WebKitWebContext, you can use webkit_web_context_new_with_website_data_manager() * to create a new #WebKitWebContext with a WebKitWebsiteDataManager. * In case you don't want to set any specific configuration, you don't need to create * a WebKitWebsiteDataManager, the #WebKitWebContext will create a WebKitWebsiteDataManager * with the default configuration. To get the WebKitWebsiteDataManager of a #WebKitWebContext * you can use webkit_web_context_get_website_data_manager(). * * A WebKitWebsiteDataManager can also be ephemeral and then all the directories configuration * is not needed because website data will never persist. You can create an ephemeral WebKitWebsiteDataManager * with webkit_website_data_manager_new_ephemeral(). Then you can pass an ephemeral WebKitWebsiteDataManager to * a #WebKitWebContext to make it ephemeral or use webkit_web_context_new_ephemeral() and the WebKitWebsiteDataManager * will be automatically created by the #WebKitWebContext. * * WebKitWebsiteDataManager can also be used to fetch websites data, remove data * stored by particular websites, or clear data for all websites modified since a given * period of time. * * Since: 2.10 */ public class WebsiteDataManager : ObjectG { /** the main Gtk struct */ protected WebKitWebsiteDataManager* webKitWebsiteDataManager; /** Get the main Gtk struct */ public WebKitWebsiteDataManager* getWebsiteDataManagerStruct(bool transferOwnership = false) { if (transferOwnership) ownedRef = false; return webKitWebsiteDataManager; } /** the main Gtk struct as a void* */ protected override void* getStruct() { return cast(void*)webKitWebsiteDataManager; } /** * Sets our main struct and passes it to the parent class. */ public this (WebKitWebsiteDataManager* webKitWebsiteDataManager, bool ownedRef = false) { this.webKitWebsiteDataManager = webKitWebsiteDataManager; super(cast(GObject*)webKitWebsiteDataManager, ownedRef); } /** */ public static GType getType() { return webkit_website_data_manager_get_type(); } /** * Creates an ephemeral #WebKitWebsiteDataManager. See #WebKitWebsiteDataManager:is-ephemeral for more details. * * Returns: a new ephemeral #WebKitWebsiteDataManager. * * Since: 2.16 * * Throws: ConstructionException GTK+ fails to create the object. */ public this() { auto __p = webkit_website_data_manager_new_ephemeral(); if(__p is null) { throw new ConstructionException("null returned by new_ephemeral"); } this(cast(WebKitWebsiteDataManager*) __p, true); } /** * Asynchronously clear the website data of the given @types modified in the past @timespan. * If @timespan is 0, all website data will be removed. * * When the operation is finished, @callback will be called. You can then call * webkit_website_data_manager_clear_finish() to get the result of the operation. * * Due to implementation limitations, this function does not currently delete * any stored cookies if @timespan is nonzero. This behavior may change in the * future. * * Params: * types = #WebKitWebsiteDataTypes * timespan = a #GTimeSpan * cancellable = a #GCancellable or %NULL to ignore * callback = a #GAsyncReadyCallback to call when the request is satisfied * userData = the data to pass to callback function * * Since: 2.16 */ public void clear(WebKitWebsiteDataTypes types, GTimeSpan timespan, Cancellable cancellable, GAsyncReadyCallback callback, void* userData) { webkit_website_data_manager_clear(webKitWebsiteDataManager, types, timespan, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData); } /** * Finish an asynchronous operation started with webkit_website_data_manager_clear() * * Params: * result = a #GAsyncResult * * Returns: %TRUE if website data was successfully cleared, or %FALSE otherwise. * * Since: 2.16 * * Throws: GException on failure. */ public bool clearFinish(AsyncResultIF result) { GError* err = null; auto __p = webkit_website_data_manager_clear_finish(webKitWebsiteDataManager, (result is null) ? null : result.getAsyncResultStruct(), &err) != 0; if (err !is null) { throw new GException( new ErrorG(err) ); } return __p; } /** * Asynchronously get the list of #WebKitWebsiteData for the given @types. * * When the operation is finished, @callback will be called. You can then call * webkit_website_data_manager_fetch_finish() to get the result of the operation. * * Params: * types = #WebKitWebsiteDataTypes * cancellable = a #GCancellable or %NULL to ignore * callback = a #GAsyncReadyCallback to call when the request is satisfied * userData = the data to pass to callback function * * Since: 2.16 */ public void fetch(WebKitWebsiteDataTypes types, Cancellable cancellable, GAsyncReadyCallback callback, void* userData) { webkit_website_data_manager_fetch(webKitWebsiteDataManager, types, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData); } /** * Finish an asynchronous operation started with webkit_website_data_manager_fetch(). * * Params: * result = a #GAsyncResult * * Returns: a #GList of #WebKitWebsiteData. You must free the #GList with * g_list_free() and unref the #WebKitWebsiteData<!-- -->s with webkit_website_data_unref() when you're done with them. * * Since: 2.16 * * Throws: GException on failure. */ public ListG fetchFinish(AsyncResultIF result) { GError* err = null; auto __p = webkit_website_data_manager_fetch_finish(webKitWebsiteDataManager, (result is null) ? null : result.getAsyncResultStruct(), &err); if (err !is null) { throw new GException( new ErrorG(err) ); } if(__p is null) { return null; } return new ListG(cast(GList*) __p, true); } /** * Get the #WebKitWebsiteDataManager:base-cache-directory property. * * Returns: the base directory for Website cache, or %NULL if * #WebKitWebsiteDataManager:base-cache-directory was not provided or @manager is ephemeral. * * Since: 2.10 */ public string getBaseCacheDirectory() { return Str.toString(webkit_website_data_manager_get_base_cache_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:base-data-directory property. * * Returns: the base directory for Website data, or %NULL if * #WebKitWebsiteDataManager:base-data-directory was not provided or @manager is ephemeral. * * Since: 2.10 */ public string getBaseDataDirectory() { return Str.toString(webkit_website_data_manager_get_base_data_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitCookieManager of @manager. * * Returns: a #WebKitCookieManager * * Since: 2.16 */ public CookieManager getCookieManager() { auto __p = webkit_website_data_manager_get_cookie_manager(webKitWebsiteDataManager); if(__p is null) { return null; } return ObjectG.getDObject!(CookieManager)(cast(WebKitCookieManager*) __p); } /** * Get the #WebKitWebsiteDataManager:disk-cache-directory property. * * Returns: the directory where HTTP disk cache is stored or %NULL if @manager is ephemeral. * * Since: 2.10 */ public string getDiskCacheDirectory() { return Str.toString(webkit_website_data_manager_get_disk_cache_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:dom-cache-directory property. * * Returns: the directory where DOM cache is stored or %NULL if @manager is ephemeral. * * Since: 2.30 */ public string getDomCacheDirectory() { return Str.toString(webkit_website_data_manager_get_dom_cache_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:hsts-cache-directory property. * * Returns: the directory where the HSTS cache is stored or %NULL if @manager is ephemeral. * * Since: 2.26 */ public string getHstsCacheDirectory() { return Str.toString(webkit_website_data_manager_get_hsts_cache_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:indexeddb-directory property. * * Returns: the directory where IndexedDB databases are stored or %NULL if @manager is ephemeral. * * Since: 2.10 */ public string getIndexeddbDirectory() { return Str.toString(webkit_website_data_manager_get_indexeddb_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:itp-directory property. * * Returns: the directory where Intelligent Tracking Prevention data is stored or %NULL if @manager is ephemeral. * * Since: 2.30 */ public string getItpDirectory() { return Str.toString(webkit_website_data_manager_get_itp_directory(webKitWebsiteDataManager)); } /** * Get whether Intelligent Tracking Prevention (ITP) is enabled or not. * * Returns: %TRUE if ITP is enabled, or %FALSE otherwise. * * Since: 2.30 */ public bool getItpEnabled() { return webkit_website_data_manager_get_itp_enabled(webKitWebsiteDataManager) != 0; } /** * Asynchronously get the list of #WebKitITPThirdParty seen for @manager. Every #WebKitITPThirdParty * contains the list of #WebKitITPFirstParty under which it has been seen. * * When the operation is finished, @callback will be called. You can then call * webkit_website_data_manager_get_itp_summary_finish() to get the result of the operation. * * Params: * cancellable = a #GCancellable or %NULL to ignore * callback = a #GAsyncReadyCallback to call when the request is satisfied * userData = the data to pass to callback function * * Since: 2.30 */ public void getItpSummary(Cancellable cancellable, GAsyncReadyCallback callback, void* userData) { webkit_website_data_manager_get_itp_summary(webKitWebsiteDataManager, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData); } /** * Finish an asynchronous operation started with webkit_website_data_manager_get_itp_summary(). * * Params: * result = a #GAsyncResult * * Returns: a #GList of #WebKitITPThirdParty. * You must free the #GList with g_list_free() and unref the #WebKitITPThirdParty<!-- -->s with * webkit_itp_third_party_unref() when you're done with them. * * Since: 2.30 * * Throws: GException on failure. */ public ListG getItpSummaryFinish(AsyncResultIF result) { GError* err = null; auto __p = webkit_website_data_manager_get_itp_summary_finish(webKitWebsiteDataManager, (result is null) ? null : result.getAsyncResultStruct(), &err); if (err !is null) { throw new GException( new ErrorG(err) ); } if(__p is null) { return null; } return new ListG(cast(GList*) __p, true); } /** * Get the #WebKitWebsiteDataManager:local-storage-directory property. * * Returns: the directory where local storage data is stored or %NULL if @manager is ephemeral. * * Since: 2.10 */ public string getLocalStorageDirectory() { return Str.toString(webkit_website_data_manager_get_local_storage_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:offline-application-cache-directory property. * * Returns: the directory where offline web application cache is stored or %NULL if @manager is ephemeral. * * Since: 2.10 */ public string getOfflineApplicationCacheDirectory() { return Str.toString(webkit_website_data_manager_get_offline_application_cache_directory(webKitWebsiteDataManager)); } /** * Get whether persistent credential storage is enabled or not. * See also webkit_website_data_manager_set_persistent_credential_storage_enabled(). * * Returns: %TRUE if persistent credential storage is enabled, or %FALSE otherwise. * * Since: 2.30 */ public bool getPersistentCredentialStorageEnabled() { return webkit_website_data_manager_get_persistent_credential_storage_enabled(webKitWebsiteDataManager) != 0; } /** * Get the #WebKitWebsiteDataManager:service-worker-registrations-directory property. * * Returns: the directory where service worker registrations are stored or %NULL if @manager is ephemeral. * * Since: 2.30 */ public string getServiceWorkerRegistrationsDirectory() { return Str.toString(webkit_website_data_manager_get_service_worker_registrations_directory(webKitWebsiteDataManager)); } /** * Get the #WebKitWebsiteDataManager:websql-directory property. * * Deprecated: WebSQL is no longer supported. Use IndexedDB instead. * * Returns: the directory where WebSQL databases are stored or %NULL if @manager is ephemeral. * * Since: 2.10 */ public string getWebsqlDirectory() { return Str.toString(webkit_website_data_manager_get_websql_directory(webKitWebsiteDataManager)); } /** * Get whether a #WebKitWebsiteDataManager is ephemeral. See #WebKitWebsiteDataManager:is-ephemeral for more details. * * Returns: %TRUE if @manager is ephemeral or %FALSE otherwise. * * Since: 2.16 */ public bool isEphemeral() { return webkit_website_data_manager_is_ephemeral(webKitWebsiteDataManager) != 0; } /** * Asynchronously removes the website data of the for the given @types for websites in the given @website_data list. * Use webkit_website_data_manager_clear() if you want to remove the website data for all sites. * * When the operation is finished, @callback will be called. You can then call * webkit_website_data_manager_remove_finish() to get the result of the operation. * * Params: * types = #WebKitWebsiteDataTypes * websiteData = a #GList of #WebKitWebsiteData * cancellable = a #GCancellable or %NULL to ignore * callback = a #GAsyncReadyCallback to call when the request is satisfied * userData = the data to pass to callback function * * Since: 2.16 */ public void remove(WebKitWebsiteDataTypes types, ListG websiteData, Cancellable cancellable, GAsyncReadyCallback callback, void* userData) { webkit_website_data_manager_remove(webKitWebsiteDataManager, types, (websiteData is null) ? null : websiteData.getListGStruct(), (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData); } /** * Finish an asynchronous operation started with webkit_website_data_manager_remove(). * * Params: * result = a #GAsyncResult * * Returns: %TRUE if website data resources were successfully removed, or %FALSE otherwise. * * Since: 2.16 * * Throws: GException on failure. */ public bool removeFinish(AsyncResultIF result) { GError* err = null; auto __p = webkit_website_data_manager_remove_finish(webKitWebsiteDataManager, (result is null) ? null : result.getAsyncResultStruct(), &err) != 0; if (err !is null) { throw new GException( new ErrorG(err) ); } return __p; } /** * Enable or disable Intelligent Tracking Prevention (ITP). When ITP is enabled resource load statistics * are collected and used to decide whether to allow or block third-party cookies and prevent user tracking. * Note that while ITP is enabled the accept policy %WEBKIT_COOKIE_POLICY_ACCEPT_NO_THIRD_PARTY is ignored and * %WEBKIT_COOKIE_POLICY_ACCEPT_ALWAYS is used instead. See also webkit_cookie_manager_set_accept_policy(). * * Params: * enabled = value to set * * Since: 2.30 */ public void setItpEnabled(bool enabled) { webkit_website_data_manager_set_itp_enabled(webKitWebsiteDataManager, enabled); } /** * Enable or disable persistent credential storage. When enabled, which is the default for * non-ephemeral sessions, the network process will try to read and write HTTP authentiacation * credentials from persistent storage. * * Params: * enabled = value to set * * Since: 2.30 */ public void setPersistentCredentialStorageEnabled(bool enabled) { webkit_website_data_manager_set_persistent_credential_storage_enabled(webKitWebsiteDataManager, enabled); } }
D
/Users/Dawid/Nauka/Game Dev/Typespeed/target/debug/deps/gfx_window_glutin-a34e5c319b881f37.rmeta: /Users/Dawid/.cargo/registry/src/github.com-1ecc6299db9ec823/gfx_window_glutin-0.30.0/src/lib.rs /Users/Dawid/Nauka/Game Dev/Typespeed/target/debug/deps/libgfx_window_glutin-a34e5c319b881f37.rlib: /Users/Dawid/.cargo/registry/src/github.com-1ecc6299db9ec823/gfx_window_glutin-0.30.0/src/lib.rs /Users/Dawid/Nauka/Game Dev/Typespeed/target/debug/deps/gfx_window_glutin-a34e5c319b881f37.d: /Users/Dawid/.cargo/registry/src/github.com-1ecc6299db9ec823/gfx_window_glutin-0.30.0/src/lib.rs /Users/Dawid/.cargo/registry/src/github.com-1ecc6299db9ec823/gfx_window_glutin-0.30.0/src/lib.rs:
D
The government suit against Microsoft is the most aggressive antitrust case in a quarter century. The heart of the case is the Internet browser battle between Microsoft and Netscape. Microsoft says that its Internet Explorer is an integral part of its Windows system, the industry dominant operating system. Microsoft, it is argued, has told computer manufacturers that if they want Windows, they must forgo Netscape. The Justice Department and 20 states are joined in the action brought under the Sherman Antitrust Act. Microsoft's chairman, Bill Gates, usually seen as a visionary is portrayed in much darker tones in the trial.
D
// @@@DEPRECATED_2017-06@@@ /** * $(RED Deprecated. Use $(D core.stdc.stddef) instead. This module will be * removed in June 2017.) * * C's &lt;stddef.h&gt; * Authors: Walter Bright, Digital Mars, http://www.digitalmars.com * License: Public Domain * Macros: * WIKI=Phobos/StdCStddef */ deprecated("Import core.stdc.stddef instead") module std.c.stddef; public import core.stdc.stddef;
D
module mysql.packet; import std.algorithm; import std.traits; import mysql.exception; struct InputPacket { @disable this(); this(ubyte[]* buffer) { buffer_ = buffer; in_ = *buffer_; } T peek(T)() if (!isArray!T) { assert(T.sizeof <= in_.length); return *(cast(T*)in_.ptr); } T eat(T)() if (!isArray!T) { assert(T.sizeof <= in_.length); auto ptr = cast(T*)in_.ptr; in_ = in_[T.sizeof..$]; return *ptr; } T peek(T)(size_t count) if (isArray!T) { alias ValueType = typeof(Type.init[0]); assert(ValueType.sizeof * count <= in_.length); auto ptr = cast(ValueType*)in_.ptr; return ptr[0..count]; } T eat(T)(size_t count) if (isArray!T) { alias ValueType = typeof(T.init[0]); assert(ValueType.sizeof * count <= in_.length); auto ptr = cast(ValueType*)in_.ptr; in_ = in_[ValueType.sizeof * count..$]; return ptr[0..count]; } void expect(T)(T x) { if (x != eat!T) throw new MySQLProtocolException("Bad packet format"); } void skip(size_t count) { if (in_.length == 0) return; assert(count <= in_.length); in_ = in_[count..$]; } auto countUntil(ubyte x, bool expect) { auto index = in_.countUntil(x); if (expect) { if ((index < 0) || (in_[index] != x)) throw new MySQLProtocolException("Bad packet format"); } return index; } void skipLenEnc() { auto header = eat!ubyte; if (header >= 0xfb) { switch(header) { case 0xfb: return; case 0xfc: skip(2); return; case 0xfd: skip(3); return; case 0xfe: skip(8); return; default: throw new MySQLProtocolException("Bad packet format"); } } } ulong eatLenEnc() { auto header = eat!ubyte; if (header < 0xfb) return header; ulong lo; ulong hi; switch(header) { case 0xfb: return 0; case 0xfc: return eat!ushort; case 0xfd: lo = eat!ubyte; hi = eat!ushort; return lo | (hi << 8); case 0xfe: lo = eat!uint; hi = eat!uint; return lo | (hi << 32); default: throw new MySQLProtocolException("Bad packet format"); } } auto remaining() const { return in_.length; } bool empty() const { return in_.length == 0; } protected: ubyte[]* buffer_; ubyte[] in_; } struct OutputPacket { @disable this(); this(ubyte[]* buffer) { buffer_ = buffer; out_ = buffer_.ptr + 4; } pragma(inline, true) void put(T)(T x) { put(offset_, x); } void put(T)(size_t offset, T x) if (!isArray!T) { grow(offset, T.sizeof); *(cast(T*)(out_ + offset)) = x; offset_ = max(offset + T.sizeof, offset_); } void put(T)(size_t offset, T x) if (isArray!T) { alias ValueType = Unqual!(typeof(T.init[0])); grow(offset, ValueType.sizeof * x.length); (cast(ValueType*)(out_ + offset))[0..x.length] = x; offset_ = max(offset + (ValueType.sizeof * x.length), offset_); } void putLenEnc(ulong x) { if (x < 0xfb) { put!ubyte(cast(ubyte)x); } else if (x <= ushort.max) { put!ubyte(0xfc); put!ushort(cast(ushort)x); } else if (x <= (uint.max >> 8)) { put!ubyte(0xfd); put!ubyte(cast(ubyte)(x)); put!ushort(cast(ushort)(x >> 8)); } else { put!ubyte(0xfe); put!uint(cast(uint)x); put!uint(cast(uint)(x >> 32)); } } size_t marker(T)() if (!isArray!T) { grow(offset_, T.sizeof); auto place = offset_; offset_ += T.sizeof; return place; } size_t marker(T)(size_t count) if (isArray!T) { alias ValueType = Unqual!(typeof(T.init[0])); grow(offset_, ValueType.sizeof * x.length); auto place = offset_; offset_ += (ValueType.sizeof * x.length); return place; } void finalize(ubyte seq) { if (offset_ >= 0xffffff) throw new MySQLConnectionException("Packet size exceeds 2^24"); uint length = cast(uint)offset_; uint header = cast(uint)((offset_ & 0xffffff) | (seq << 24)); *(cast(uint*)buffer_.ptr) = header; } void finalize(ubyte seq, size_t extra) { if (offset_ + extra >= 0xffffff) throw new MySQLConnectionException("Packet size exceeds 2^24"); uint length = cast(uint)(offset_ + extra); uint header = cast(uint)((length & 0xffffff) | (seq << 24)); *(cast(uint*)buffer_.ptr) = header; } void reset() { offset_ = 0; } void reserve(size_t size) { (*buffer_).length = max((*buffer_).length, 4 + size); out_ = buffer_.ptr + 4; } void fill(ubyte x, size_t size) { grow(offset_, size); out_[offset_..offset_ + size] = 0; offset_ += size; } size_t length() const { return offset_; } bool empty() const { return offset_ == 0; } const(ubyte)[] get() const { return (*buffer_)[0..4 + offset_]; } protected: void grow(size_t offset, size_t size) { auto requested = 4 + offset + size; if (requested > buffer_.length) { auto capacity = max(128, (*buffer_).capacity); while (capacity < requested) capacity <<= 1; buffer_.length = capacity; out_ = buffer_.ptr + 4; } } ubyte[]* buffer_; ubyte* out_; size_t offset_; }
D
/// PostgreSQL database client implementation. module vibe.db.postgresql; public import dpq2: ValueFormat; public import dpq2.exception: Dpq2Exception; public import dpq2.result; public import dpq2.connection: ConnectionException, connStringCheck, ConnectionStart, CancellationException; public import dpq2.args; public import derelict.pq.pq; import vibe.core.connectionpool: ConnectionPool, VibeLockedConnection = LockedConnection; import vibe.core.log; import core.time: Duration, dur; import std.exception: enforce; import std.conv: to; /// struct ClientSettings { string connString; /// PostgreSQL connection string void delegate(Connection) afterStartConnectOrReset; /// called after connection established } /// A Postgres client with connection pooling. class PostgresClient { private ConnectionPool!Connection pool; /// afterStartConnectOrReset is called after connection established this( string connString, uint connNum, void delegate(Connection) afterStartConnectOrReset = null ) { immutable cs = ClientSettings( connString, afterStartConnectOrReset ); this(&createConnection, cs, connNum); } /// Useful for external Connection implementation this ( Connection delegate(in ClientSettings) @safe connFactory, immutable ClientSettings cs, uint connNum, ) { cs.connString.connStringCheck; pool = new ConnectionPool!Connection(() @safe { return connFactory(cs); }, connNum); } /// Useful for external Connection implementation /// /// Not cares about checking of connection string this(Connection delegate() const pure @safe connFactory, uint connNum) { enforce(PQisthreadsafe() == 1); pool = new ConnectionPool!Connection( () @safe { return connFactory(); }, connNum ); } /// Get connection from the pool. /// /// Do not forgot to call .reset() for connection if ConnectionException /// will be catched while using LockedConnection! deprecated("use pickConnection instead or report why lockConnection should be left") LockedConnection lockConnection() { logDebugV("get connection from the pool"); return pool.lockConnection(); } /// Use connection from the pool. /// /// Same as lockConnection but automatically maintains initiation of /// reestablishing of connection by calling .reset() /// /// Returns: Value returned by delegate or void T pickConnection(T)(T delegate(scope LockedConnection conn) dg) { logDebugV("get connection from the pool"); scope conn = pool.lockConnection(); scope(exit) destroy(conn); try return dg(conn); catch(ConnectionException e) { conn.reset(); // also may throw ConnectionException and this is normal behaviour throw e; } } /// private Connection createConnection(in ClientSettings cs) @safe { return new Connection(cs); } } alias Connection = Dpq2Connection; deprecated("use Connection instead") alias __Conn = Connection; /// alias LockedConnection = VibeLockedConnection!Connection; /** * dpq2.Connection adopted for using with Vibe.d */ class Dpq2Connection : dpq2.Connection { Duration socketTimeout = dur!"seconds"(10); /// Duration statementTimeout = dur!"seconds"(30); /// private const ClientSettings settings; /// this(const ref ClientSettings settings) @trusted { this.settings = settings; super(settings.connString); setClientEncoding("UTF8"); // TODO: do only if it is different from UTF8 import std.conv: to; logDebugV("creating new connection, delegate isNull="~(settings.afterStartConnectOrReset is null).to!string); if(settings.afterStartConnectOrReset !is null) settings.afterStartConnectOrReset(this); } deprecated("please use .reset() instead") void resetStart()() { reset(); } /// Blocks while connection will be established or exception thrown void reset() { super.resetStart; while(true) { if(status() == CONNECTION_BAD) throw new ConnectionException(this); if(resetPoll() != PGRES_POLLING_OK) { waitEndOfRead(socketTimeout); continue; } else { break; } } if(settings.afterStartConnectOrReset !is null) settings.afterStartConnectOrReset(this); } private auto waitEndOfRead(in Duration timeout) // TODO: rename to waitEndOf + add FileDescriptorEvent.Trigger argument { import vibe.core.core; version(Posix) { import core.sys.posix.fcntl; assert((fcntl(this.posixSocket, F_GETFL, 0) & O_NONBLOCK), "Socket assumed to be non-blocking already"); } version(Have_vibe_core) { // vibe-core right now supports only read trigger event // it also closes the socket on scope exit, thus a socket duplication here auto event = createFileDescriptorEvent(this.posixSocketDuplicate, FileDescriptorEvent.Trigger.read); } else { auto event = createFileDescriptorEvent(this.posixSocket, FileDescriptorEvent.Trigger.any); } return event; } private void waitEndOfReadAndConsume(in Duration timeout) { auto event = waitEndOfRead(timeout); scope(exit) destroy(event); // Prevents 100% CPU usage do { if(!event.wait(timeout)) throw new PostgresClientTimeoutException(__FILE__, __LINE__); consumeInput(); } while (this.isBusy); // wait until PQgetresult won't block anymore } private void doQuery(void delegate() doesQueryAndCollectsResults) { // Try to get usable connection and send SQL command while(true) { if(status() == CONNECTION_BAD) throw new ConnectionException(this, __FILE__, __LINE__); if(poll() != PGRES_POLLING_OK) { waitEndOfReadAndConsume(socketTimeout); continue; } else { break; } } logDebugV("doesQuery() call"); doesQueryAndCollectsResults(); } private immutable(Result) runStatementBlockingManner(void delegate() sendsStatementDg) { immutable(Result)[] res; runStatementBlockingMannerWithMultipleResults(sendsStatementDg, (r){ res ~= r; }, false); enforce(res.length == 1, "Simple query without row-by-row mode can return only one Result instance, not "~res.length.to!string); return res[0]; } private void runStatementBlockingMannerWithMultipleResults(void delegate() sendsStatementDg, void delegate(immutable(Result)) processResult, bool isRowByRowMode) { logDebugV(__FUNCTION__); immutable(Result)[] res; doQuery(() { sendsStatementDg(); if(isRowByRowMode) { enforce(setSingleRowMode, "Failed to set row-by-row mode"); } scope(failure) { if(isRowByRowMode) while(getResult() !is null){} // autoclean of results queue } scope(exit) { logDebugV("consumeInput()"); consumeInput(); // TODO: redundant call (also called in waitEndOfRead) - can be moved into catch block? while(true) { logDebugV("getResult()"); auto r = getResult(); /* I am trying to check connection status with PostgreSQL server with PQstatus and it always always return CONNECTION_OK even when the cable to the server is unplugged. – user1972556 (stackoverflow.com) ...the idea of testing connections is fairly silly, since the connection might die between when you test it and when you run your "real" query. Don't test connections, just use them, and if they fail be prepared to retry everything since you opened the transaction. – Craig Ringer Jan 14 '13 at 2:59 */ if(status == CONNECTION_BAD) throw new ConnectionException(this, __FILE__, __LINE__); if(r is null) break; processResult(r); } } try { waitEndOfReadAndConsume(statementTimeout); } catch(PostgresClientTimeoutException e) { logDebugV("Exceeded Posgres query time limit"); try cancel(); // cancel sql query catch(CancellationException ce) // means successful cancellation e.msg ~= ", "~ce.msg; throw e; } } ); } /// immutable(Answer) execStatement( string sqlCommand, ValueFormat resultFormat = ValueFormat.BINARY ) { QueryParams p; p.resultFormat = resultFormat; p.sqlCommand = sqlCommand; return execStatement(p); } /// immutable(Answer) execStatement(in ref QueryParams params) { auto res = runStatementBlockingManner({ sendQueryParams(params); }); return res.getAnswer; } /// Row-by-row version of execStatement /// /// Delegate called for each received row. /// /// More info: https://www.postgresql.org/docs/current/libpq-single-row-mode.html /// void execStatementRbR( string sqlCommand, void delegate(immutable(Row)) answerRowProcessDg, ValueFormat resultFormat = ValueFormat.BINARY ) { QueryParams p; p.resultFormat = resultFormat; p.sqlCommand = sqlCommand; execStatementRbR(p, answerRowProcessDg); } /// Ditto void execStatementRbR(in ref QueryParams params, void delegate(immutable(Row)) answerRowProcessDg) { runStatementWithRowByRowResult( { sendQueryParams(params); }, answerRowProcessDg ); } private void runStatementWithRowByRowResult(void delegate() sendsStatementDg, void delegate(immutable(Row)) answerRowProcessDg) { runStatementBlockingMannerWithMultipleResults( sendsStatementDg, (r) { auto answer = r.getAnswer; enforce(answer.length <= 1, `0 or 1 rows can be received, not `~answer.length.to!string); if(answer.length == 1) { enforce(r.status == PGRES_SINGLE_TUPLE, `Wrong result status: `~r.status.to!string); answerRowProcessDg(answer[0]); } }, true ); } /// void prepareStatement( string statementName, string sqlStatement, Oid[] oids = null ) { auto r = runStatementBlockingManner( {sendPrepare(statementName, sqlStatement, oids);} ); if(r.status != PGRES_COMMAND_OK) throw new ResponseException(r, __FILE__, __LINE__); } /// immutable(Answer) execPreparedStatement(in ref QueryParams params) { auto res = runStatementBlockingManner({ sendQueryPrepared(params); }); return res.getAnswer; } /// immutable(Answer) describePreparedStatement(string preparedStatementName) { auto res = runStatementBlockingManner({ sendDescribePrepared(preparedStatementName); }); return res.getAnswer; } /** * Non blocking method to wait for next notification. * * Params: * timeout = maximal duration to wait for the new Notify to be received * * Returns: New Notify or null when no other notification is available or timeout occurs. * Throws: ConnectionException on connection failure */ Notify waitForNotify(in Duration timeout = Duration.max) { // try read available auto ntf = getNextNotify(); if (ntf !is null) return ntf; // wait for next one try waitEndOfReadAndConsume(timeout); catch (PostgresClientTimeoutException) return null; return getNextNotify(); } } /// class PostgresClientTimeoutException : Dpq2Exception { this(string file, size_t line) { super("Exceeded Posgres query time limit", file, line); } } unittest { bool raised = false; try { auto client = new PostgresClient("wrong connect string", 2); } catch(ConnectionException e) raised = true; assert(raised); } version(IntegrationTest) void __integration_test(string connString) { setLogLevel = LogLevel.debugV; auto client = new PostgresClient(connString, 3); client.pickConnection((scope conn) { { auto res = conn.execStatement( "SELECT 123::integer, 567::integer, 'asd fgh'::text", ValueFormat.BINARY ); assert(res.getAnswer[0][1].as!PGinteger == 567); } { // Row-by-row result receiving int[] res; conn.execStatementRbR( `SELECT generate_series(0, 3) as i, pg_sleep(0.2)`, (immutable(Row) r) { res ~= r[0].as!int; } ); assert(res.length == 4); } { // Row-by-row result receiving: error while receiving size_t rowCounter; QueryParams p; p.sqlCommand = `SELECT 1.0 / (generate_series(1, 100000) % 80000)`; // division by zero error at generate_series=80000 bool assertThrown; try conn.execStatementRbR(p, (immutable(Row) r) { rowCounter++; } ); catch(ResponseException) // catches ERROR: division by zero assertThrown = true; assert(assertThrown); assert(rowCounter > 0); } { QueryParams p; p.sqlCommand = `SELECT 123`; auto res = conn.execStatement(p); assert(res.length == 1); assert(res[0][0].as!int == 123); } { conn.prepareStatement("stmnt_name", "SELECT 123::integer"); bool throwFlag = false; try conn.prepareStatement("wrong_stmnt", "WRONG SQL STATEMENT"); catch(ResponseException) throwFlag = true; assert(throwFlag); } { import dpq2.oids: OidType; auto a = conn.describePreparedStatement("stmnt_name"); assert(a.nParams == 0); assert(a.OID(0) == OidType.Int4); } { QueryParams p; p.preparedStatementName = "stmnt_name"; auto r = conn.execPreparedStatement(p); assert(r.getAnswer[0][0].as!PGinteger == 123); } { // Fibers test import vibe.core.concurrency; auto future0 = async({ client.pickConnection( (scope c) { immutable answer = c.execStatement("SELECT 'New connection 0'"); } ); return 1; }); auto future1 = async({ client.pickConnection( (scope c) { immutable answer = c.execStatement("SELECT 'New connection 1'"); } ); return 1; }); immutable answer = conn.execStatement("SELECT 'Old connection'"); assert(future0 == 1); assert(future1 == 1); assert(answer.length == 1); } { assert(conn.escapeIdentifier("abc") == "\"abc\""); } { import core.time : msecs; import vibe.core.core : sleep; import vibe.core.concurrency : async; struct NTF {string name; string extra;} auto futureNtf = async({ Notify pgNtf; client.pickConnection( (scope c) { c.execStatement("LISTEN foo"); pgNtf = c.waitForNotify(); } ); assert(pgNtf !is null); return NTF(pgNtf.name.idup, pgNtf.extra.idup); }); sleep(10.msecs); conn.execStatement("NOTIFY foo, 'bar'"); assert(futureNtf.name == "foo"); assert(futureNtf.extra == "bar"); } }); // pickConnection }
D
/** * Dynamic array implementation. * * 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/root/array.d, root/_array.d) * Documentation: https://dlang.org/phobos/dmd_root_array.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/root/array.d */ module dmd.root.array; import core.stdc.stdlib : _compare_fp_t; import core.stdc.string; import dmd.root.rmem; import dmd.root.string; // `qsort` is only `nothrow` since 2.081.0 private extern(C) void qsort(scope void* base, size_t nmemb, size_t size, _compare_fp_t compar) nothrow @nogc; debug { debug = stomp; // flush out dangling pointer problems by stomping on unused memory } extern (C++) struct Array(T) { size_t length; private: T[] data; enum SMALLARRAYCAP = 1; T[SMALLARRAYCAP] smallarray; // inline storage for small arrays public: /******************* * Params: * dim = initial length of array */ this(size_t dim) pure nothrow scope { reserve(dim); this.length = dim; } @disable this(this); ~this() pure nothrow { debug (stomp) memset(data.ptr, 0xFF, data.length); if (data.ptr != &smallarray[0]) mem.xfree(data.ptr); } ///returns elements comma separated in [] extern(D) const(char)[] toString() const { static const(char)[] toStringImpl(alias toStringFunc, Array)(Array* a, bool quoted = false) { const(char)[][] buf = (cast(const(char)[]*)mem.xcalloc((char[]).sizeof, a.length))[0 .. a.length]; size_t len = 2; // [ and ] const seplen = quoted ? 3 : 1; // ',' or null terminator and optionally '"' if (a.length == 0) len += 1; // null terminator else { foreach (u; 0 .. a.length) { static if (is(typeof(a.data[u] is null))) { if (a.data[u] is null) buf[u] = "null"; else buf[u] = toStringFunc(a.data[u]); } else { buf[u] = toStringFunc(a.data[u]); } len += buf[u].length + seplen; } } char[] str = (cast(char*)mem.xmalloc_noscan(len))[0..len]; str[0] = '['; char* p = str.ptr + 1; foreach (u; 0 .. a.length) { if (u) *p++ = ','; if (quoted) *p++ = '"'; memcpy(p, buf[u].ptr, buf[u].length); p += buf[u].length; if (quoted) *p++ = '"'; } *p++ = ']'; *p = 0; assert(p - str.ptr == str.length - 1); // null terminator mem.xfree(buf.ptr); return str[0 .. $-1]; } static if (is(typeof(T.init.toString()))) { return toStringImpl!(a => a.toString)(&this); } else static if (is(typeof(T.init.toDString()))) { return toStringImpl!(a => a.toDString)(&this, true); } else { assert(0); } } ///ditto const(char)* toChars() const { return toString.ptr; } ref Array push(T ptr) return pure nothrow { reserve(1); data[length++] = ptr; return this; } extern (D) ref Array pushSlice(T[] a) return pure nothrow { const oldLength = length; setDim(oldLength + a.length); memcpy(data.ptr + oldLength, a.ptr, a.length * T.sizeof); return this; } ref Array append(typeof(this)* a) return pure nothrow { insert(length, a); return this; } void reserve(size_t nentries) pure nothrow { //printf("Array::reserve: length = %d, data.length = %d, nentries = %d\n", cast(int)length, cast(int)data.length, cast(int)nentries); // Cold path void enlarge(size_t nentries) { pragma(inline, false); // never inline cold path if (data.length == 0) { // Not properly initialized, someone memset it to zero if (nentries <= SMALLARRAYCAP) { data = SMALLARRAYCAP ? smallarray[] : null; } else { auto p = cast(T*)mem.xmalloc(nentries * T.sizeof); data = p[0 .. nentries]; } } else if (data.length == SMALLARRAYCAP) { const allocdim = length + nentries; auto p = cast(T*)mem.xmalloc(allocdim * T.sizeof); memcpy(p, smallarray.ptr, length * T.sizeof); data = p[0 .. allocdim]; } else { /* Increase size by 1.5x to avoid excessive memory fragmentation */ auto increment = length / 2; if (nentries > increment) // if 1.5 is not enough increment = nentries; const allocdim = length + increment; debug (stomp) { // always move using allocate-copy-stomp-free auto p = cast(T*)mem.xmalloc(allocdim * T.sizeof); memcpy(p, data.ptr, length * T.sizeof); memset(data.ptr, 0xFF, data.length * T.sizeof); mem.xfree(data.ptr); } else auto p = cast(T*)mem.xrealloc(data.ptr, allocdim * T.sizeof); data = p[0 .. allocdim]; } debug (stomp) { if (length < data.length) memset(data.ptr + length, 0xFF, (data.length - length) * T.sizeof); } else { if (mem.isGCEnabled) if (length < data.length) memset(data.ptr + length, 0xFF, (data.length - length) * T.sizeof); } } if (data.length - length < nentries) // false means hot path enlarge(nentries); } void remove(size_t i) pure nothrow @nogc { if (length - i - 1) memmove(data.ptr + i, data.ptr + i + 1, (length - i - 1) * T.sizeof); length--; debug (stomp) memset(data.ptr + length, 0xFF, T.sizeof); } void insert(size_t index, typeof(this)* a) pure nothrow { if (a) { size_t d = a.length; reserve(d); if (length != index) memmove(data.ptr + index + d, data.ptr + index, (length - index) * T.sizeof); memcpy(data.ptr + index, a.data.ptr, d * T.sizeof); length += d; } } extern (D) void insert(size_t index, T[] a) pure nothrow { size_t d = a.length; reserve(d); if (length != index) memmove(data.ptr + index + d, data.ptr + index, (length - index) * T.sizeof); memcpy(data.ptr + index, a.ptr, d * T.sizeof); length += d; } void insert(size_t index, T ptr) pure nothrow { reserve(1); memmove(data.ptr + index + 1, data.ptr + index, (length - index) * T.sizeof); data[index] = ptr; length++; } void setDim(size_t newdim) pure nothrow { if (length < newdim) { reserve(newdim - length); } length = newdim; } size_t find(T ptr) const nothrow pure { foreach (i; 0 .. length) if (data[i] is ptr) return i; return size_t.max; } bool contains(T ptr) const nothrow pure { return find(ptr) != size_t.max; } ref inout(T) opIndex(size_t i) inout nothrow pure { debug // This is called so often the array bounds become expensive return data[i]; else return data.ptr[i]; } inout(T)* tdata() inout pure nothrow @nogc @trusted { return data.ptr; } Array!T* copy() const pure nothrow { auto a = new Array!T(); a.setDim(length); memcpy(a.data.ptr, data.ptr, length * T.sizeof); return a; } void shift(T ptr) pure nothrow { reserve(1); memmove(data.ptr + 1, data.ptr, length * T.sizeof); data[0] = ptr; length++; } void zero() nothrow pure @nogc { data[0 .. length] = T.init; } T pop() nothrow pure @nogc { debug (stomp) { assert(length); auto result = data[length - 1]; remove(length - 1); return result; } else return data[--length]; } extern (D) inout(T)[] opSlice() inout nothrow pure @nogc { return data[0 .. length]; } extern (D) inout(T)[] opSlice(size_t a, size_t b) inout nothrow pure @nogc { assert(a <= b && b <= length); return data[a .. b]; } /** * Sort the elements of an array * * This function relies on `qsort`. * * Params: * pred = Predicate to use. Should be a function of type * `int function(scope const T* e1, scope const T* e2) nothrow`. * The return value of this function should follow the * usual C rule: `e1 >= e2 ? (e1 > e2) : -1`. * The function can have D linkage. * * Returns: * A reference to this, for easy chaining. */ extern(D) ref typeof(this) sort (alias pred) () nothrow { if (this.length < 2) return this; qsort(this.data.ptr, this.length, T.sizeof, &arraySortWrapper!(T, pred)); return this; } /// Ditto, but use `opCmp` by default extern(D) ref typeof(this) sort () () nothrow if (is(typeof(this.data[0].opCmp(this.data[1])) : int)) { return this.sort!(function (scope const(T)* pe1, scope const(T)* pe2) => pe1.opCmp(*pe2)); } alias opDollar = length; deprecated("use `.length` instead") extern(D) size_t dim() const @nogc nothrow pure @safe { return length; } } unittest { // Test for objects implementing toString() static struct S { int s = -1; string toString() const { return "S"; } } auto array = Array!S(4); assert(array.toString() == "[S,S,S,S]"); array.setDim(0); assert(array.toString() == "[]"); // Test for toDString() auto strarray = Array!(const(char)*)(2); strarray[0] = "hello"; strarray[1] = "world"; auto str = strarray.toString(); assert(str == `["hello","world"]`); // Test presence of null terminator. assert(str.ptr[str.length] == '\0'); // Test printing an array of classes, which can be null static class C { override string toString() const { return "x"; } } auto nullarray = Array!C(2); nullarray[0] = new C(); nullarray[1] = null; assert(nullarray.toString() == `[x,null]`); } unittest { auto array = Array!double(4); array.shift(10); array.push(20); array[2] = 15; assert(array[0] == 10); assert(array.find(10) == 0); assert(array.find(20) == 5); assert(!array.contains(99)); array.remove(1); assert(array.length == 5); assert(array[1] == 15); assert(array.pop() == 20); assert(array.length == 4); array.insert(1, 30); assert(array[1] == 30); assert(array[2] == 15); } unittest { auto arrayA = Array!int(0); int[3] buf = [10, 15, 20]; arrayA.pushSlice(buf); assert(arrayA[] == buf[]); auto arrayPtr = arrayA.copy(); assert(arrayPtr); assert((*arrayPtr)[] == arrayA[]); assert(arrayPtr.tdata != arrayA.tdata); arrayPtr.setDim(0); int[2] buf2 = [100, 200]; arrayPtr.pushSlice(buf2); arrayA.append(arrayPtr); assert(arrayA[3..$] == buf2[]); arrayA.insert(0, arrayPtr); assert(arrayA[] == [100, 200, 10, 15, 20, 100, 200]); arrayA.zero(); foreach(e; arrayA) assert(e == 0); arrayA.setDim(0); arrayA.pushSlice([5, 6]); arrayA.insert(1, [1, 2]); assert(arrayA[] == [5, 1, 2, 6]); arrayA.insert(0, [7, 8]); arrayA.insert(arrayA.length, [0, 9]); assert(arrayA[] == [7, 8, 5, 1, 2, 6, 0, 9]); } /** * Exposes the given root Array as a standard D array. * Params: * array = the array to expose. * Returns: * The given array exposed to a standard D array. */ @property inout(T)[] peekSlice(T)(inout(Array!T)* array) pure nothrow @nogc { return array ? (*array)[] : null; } /** * Splits the array at $(D index) and expands it to make room for $(D length) * elements by shifting everything past $(D index) to the right. * Params: * array = the array to split. * index = the index to split the array from. * length = the number of elements to make room for starting at $(D index). */ void split(T)(ref Array!T array, size_t index, size_t length) pure nothrow { if (length > 0) { auto previousDim = array.length; array.setDim(array.length + length); for (size_t i = previousDim; i > index;) { i--; array[i + length] = array[i]; } } } unittest { auto array = Array!int(); array.split(0, 0); assert([] == array[]); array.push(1).push(3); array.split(1, 1); array[1] = 2; assert([1, 2, 3] == array[]); array.split(2, 3); array[2] = 8; array[3] = 20; array[4] = 4; assert([1, 2, 8, 20, 4, 3] == array[]); array.split(0, 0); assert([1, 2, 8, 20, 4, 3] == array[]); array.split(0, 1); array[0] = 123; assert([123, 1, 2, 8, 20, 4, 3] == array[]); array.split(0, 3); array[0] = 123; array[1] = 421; array[2] = 910; assert([123, 421, 910, 123, 1, 2, 8, 20, 4, 3] == (&array).peekSlice()); } /** * Reverse an array in-place. * Params: * a = array * Returns: * reversed a[] */ T[] reverse(T)(T[] a) pure nothrow @nogc @safe { if (a.length > 1) { const mid = (a.length + 1) >> 1; foreach (i; 0 .. mid) { T e = a[i]; a[i] = a[$ - 1 - i]; a[$ - 1 - i] = e; } } return a; } unittest { int[] a1 = []; assert(reverse(a1) == []); int[] a2 = [2]; assert(reverse(a2) == [2]); int[] a3 = [2,3]; assert(reverse(a3) == [3,2]); int[] a4 = [2,3,4]; assert(reverse(a4) == [4,3,2]); int[] a5 = [2,3,4,5]; assert(reverse(a5) == [5,4,3,2]); } unittest { //test toString/toChars. Identifier is a simple object that has a usable .toString import dmd.identifier : Identifier; import core.stdc.string : strcmp; auto array = Array!Identifier(); array.push(new Identifier("id1")); array.push(new Identifier("id2")); string expected = "[id1,id2]"; assert(array.toString == expected); assert(strcmp(array.toChars, expected.ptr) == 0); } /// Predicate to wrap a D function passed to `qsort` private template arraySortWrapper(T, alias fn) { pragma(mangle, "arraySortWrapper_" ~ T.mangleof ~ "_" ~ fn.mangleof) extern(C) int arraySortWrapper(scope const void* e1, scope const void* e2) nothrow { return fn(cast(const(T*))e1, cast(const(T*))e2); } } // Test sorting unittest { Array!(const(char)*) strings; strings.push("World"); strings.push("Foo"); strings.push("baguette"); strings.push("Avocado"); strings.push("Hello"); // Newer frontend versions will work with (e1, e2) and infer the type strings.sort!(function (scope const char** e1, scope const char** e2) => strcmp(*e1, *e2)); assert(strings[0] == "Avocado"); assert(strings[1] == "Foo"); assert(strings[2] == "Hello"); assert(strings[3] == "World"); assert(strings[4] == "baguette"); /// opCmp automatically supported static struct MyStruct { int a; int opCmp(const ref MyStruct other) const nothrow { // Reverse order return other.a - this.a; } } Array!MyStruct arr1; arr1.push(MyStruct(2)); arr1.push(MyStruct(4)); arr1.push(MyStruct(256)); arr1.push(MyStruct(42)); arr1.sort(); assert(arr1[0].a == 256); assert(arr1[1].a == 42); assert(arr1[2].a == 4); assert(arr1[3].a == 2); /// But only if user defined static struct OtherStruct { int a; static int pred (scope const OtherStruct* pe1, scope const OtherStruct* pe2) nothrow @nogc pure @safe { return pe1.a - pe2.a; } } static assert (!is(typeof(Array!(OtherStruct).init.sort()))); static assert (!is(typeof(Array!(OtherStruct).init.sort!pred))); } /** * Iterates the given array and calls the given callable for each element. * * Use this instead of `foreach` when the array may expand during iteration. * * Params: * callable = the callable to call for each element * array = the array to iterate * * See_Also: $(REF foreachDsymbol, dmd, dsymbol) */ template each(alias callable, T) if (is(ReturnType!(typeof((T t) => callable(t))) == void)) { void each(ref Array!T array) { // Do not use foreach, as the size of the array may expand during iteration for (size_t i = 0; i < array.length; ++i) callable(array[i]); } void each(Array!T* array) { if (array) each!callable(*array); } } /// @("iterate over an Array") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected) array.push(e); int[] result; array.each!((e) { result ~= e; }); assert(result == expected); } @("iterate over a pointer to an Array") unittest { static immutable expected = [2, 3, 4, 5]; auto array = new Array!int; foreach (e ; expected) array.push(e); int[] result; array.each!((e) { result ~= e; }); assert(result == expected); } @("iterate while appending to the array being iterated") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected[0 .. $ - 1]) array.push(e); int[] result; array.each!((e) { if (e == 2) array.push(5); result ~= e; }); assert(array[] == expected); assert(result == expected); } /** * Iterates the given array and calls the given callable for each element. * * If `callable` returns `!= 0`, it will stop the iteration and return that * value, otherwise it will return 0. * * Use this instead of `foreach` when the array may expand during iteration. * * Params: * callable = the callable to call for each element * array = the array to iterate * * Returns: the last value returned by `callable` * See_Also: $(REF foreachDsymbol, dmd, dsymbol) */ template each(alias callable, T) if (is(ReturnType!(typeof((T t) => callable(t))) == int)) { int each(ref Array!T array) { // Do not use foreach, as the size of the array may expand during iteration for (size_t i = 0; i < array.length; ++i) { if (const result = callable(array[i])) return result; } return 0; } int each(Array!T* array) { return array ? each!callable(*array) : 0; } } /// @("iterate over an Array and stop the iteration") unittest { Array!int array; foreach (e ; [2, 3, 4, 5]) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; if (e == 3) return 8; return 0; }); assert(result == [2, 3]); assert(returnValue == 8); } @("iterate over an Array") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; return 0; }); assert(result == expected); assert(returnValue == 0); } @("iterate over a pointer to an Array and stop the iteration") unittest { auto array = new Array!int; foreach (e ; [2, 3, 4, 5]) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; if (e == 3) return 9; return 0; }); assert(result == [2, 3]); assert(returnValue == 9); } @("iterate while appending to the array being iterated and stop the iteration") unittest { Array!int array; foreach (e ; [2, 3]) array.push(e); int[] result; const returnValue = array.each!((e) { if (e == 2) array.push(1); result ~= e; if (e == 1) return 7; return 0; }); static immutable expected = [2, 3, 1]; assert(array[] == expected); assert(result == expected); assert(returnValue == 7); } /// Returns: A static array constructed from `array`. pragma(inline, true) T[n] staticArray(T, size_t n)(auto ref T[n] array) { return array; } /// pure nothrow @safe @nogc unittest { enum a = [0, 1].staticArray; static assert(is(typeof(a) == int[2])); static assert(a == [0, 1]); } /// Returns: `true` if the two given ranges are equal bool equal(Range1, Range2)(Range1 range1, Range2 range2) { template isArray(T) { static if (is(T U : U[])) enum isArray = true; else enum isArray = false; } static if (isArray!Range1 && isArray!Range2 && is(typeof(range1 == range2))) return range1 == range2; else { static if (hasLength!Range1 && hasLength!Range2 && is(typeof(r1.length == r2.length))) { if (range1.length != range2.length) return false; } for (; !range1.empty; range1.popFront(), range2.popFront()) { if (range2.empty) return false; if (range1.front != range2.front) return false; } return range2.empty; } } /// pure nothrow @nogc @safe unittest { enum a = [ 1, 2, 4, 3 ].staticArray; static assert(!equal(a[], a[1..$])); static assert(equal(a[], a[])); // different types enum b = [ 1.0, 2, 4, 3].staticArray; static assert(!equal(a[], b[1..$])); static assert(equal(a[], b[])); } pure nothrow @safe unittest { static assert(equal([1, 2, 3].map!(x => x * 2), [1, 2, 3].map!(x => x * 2))); static assert(!equal([1, 2].map!(x => x * 2), [1, 2, 3].map!(x => x * 2))); } /** * Lazily filters the given range based on the given predicate. * * Returns: a range containing only elements for which the predicate returns * `true` */ auto filter(alias predicate, Range)(Range range) if (isInputRange!(Unqual!Range) && isPredicateOf!(predicate, ElementType!Range)) { return Filter!(predicate, Range)(range); } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; enum result = a[].filter!(e => e > 2); enum expected = [3, 4].staticArray; static assert(result.equal(expected[])); } private struct Filter(alias predicate, Range) { private Range range; private bool primed; private void prime() { if (primed) return; while (!range.empty && !predicate(range.front)) range.popFront(); primed = true; } @property bool empty() { prime(); return range.empty; } @property auto front() { assert(!range.empty); prime(); return range.front; } void popFront() { assert(!range.empty); prime(); do { range.popFront(); } while (!range.empty && !predicate(range.front)); } auto opSlice() { return this; } } /** * Lazily iterates the given range and calls the given callable for each element. * * Returns: a range containing the result of each call to `callable` */ auto map(alias callable, Range)(Range range) if (isInputRange!(Unqual!Range) && isCallableWith!(callable, ElementType!Range)) { return Map!(callable, Range)(range); } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; enum expected = [2, 4, 6, 8].staticArray; enum result = a[].map!(e => e * 2); static assert(result.equal(expected[])); } private struct Map(alias callable, Range) { private Range range; @property bool empty() { return range.empty; } @property auto front() { assert(!range.empty); return callable(range.front); } void popFront() { assert(!range.empty); range.popFront(); } static if (hasLength!Range) { @property auto length() { return range.length; } alias opDollar = length; } } /// Returns: the length of the given range. auto walkLength(Range)(Range range) if (isInputRange!Range ) { static if (hasLength!Range) return range.length; else { size_t result; for (; !range.empty; range.popFront()) ++result; return result; } } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; static assert(a[].walkLength == 4); enum c = a[].filter!(e => e > 2); static assert(c.walkLength == 2); } /// Evaluates to the element type of `R`. template ElementType(R) { static if (is(typeof(R.init.front.init) T)) alias ElementType = T; else alias ElementType = void; } /// Evaluates to `true` if the given type satisfy the input range interface. enum isInputRange(R) = is(typeof(R.init) == R) && is(ReturnType!(typeof((R r) => r.empty)) == bool) && is(typeof((return ref R r) => r.front)) && !is(ReturnType!(typeof((R r) => r.front)) == void) && is(typeof((R r) => r.popFront)); /// Evaluates to `true` if `func` can be called with a value of `T` and returns /// a value that is convertible to `bool`. enum isPredicateOf(alias func, T) = is(typeof((T t) => !func(t))); /// Evaluates to `true` if `func` be called withl a value of `T`. enum isCallableWith(alias func, T) = __traits(compiles, { auto _ = (T t) => func(t); }); private: template ReturnType(T) { static if (is(T R == return)) alias ReturnType = R; else static assert(false, "argument is not a function"); } alias Unqual(T) = ReturnType!(typeof((T t) => cast() t)); template hasLength(Range) { static if (is(typeof(((Range* r) => r.length)(null)) Length)) enum hasLength = is(Length == size_t); else enum hasLength = false; } /// Implements the range interface primitive `front` for built-in arrays. @property ref inout(T) front(T)(return scope inout(T)[] a) pure nothrow @nogc @safe { assert(a.length, "Attempting to fetch the front of an empty array of " ~ T.stringof); return a[0]; } /// pure nothrow @nogc @safe unittest { enum a = [1, 2, 3].staticArray; static assert(a[].front == 1); } /// Implements the range interface primitive `empty` for types that obey $(LREF hasLength) property @property bool empty(T)(auto ref scope T a) if (is(typeof(a.length) : size_t)) { return !a.length; } /// pure nothrow @nogc @safe unittest { enum a = [1, 2, 3].staticArray; static assert(!a.empty); static assert(a[3 .. $].empty); } pure nothrow @safe unittest { int[string] b; assert(b.empty); b["zero"] = 0; assert(!b.empty); } /// Implements the range interface primitive `popFront` for built-in arrays. void popFront(T)(/*scope*/ ref inout(T)[] array) pure nothrow @nogc @safe { // does not compile with GDC 9 if this is `scope` assert(array.length, "Attempting to popFront() past the end of an array of " ~ T.stringof); array = array[1 .. $]; } /// pure nothrow @nogc @safe unittest { auto a = [1, 2, 3].staticArray; auto b = a[]; auto expected = [2, 3].staticArray; b.popFront(); assert(b == expected[]); }
D
instance Mod_1729_PSINOV_Novize_NW (Npc_Default) { //-------- primary data -------- name = "Fanatischer Templer"; Npctype = Npctype_nw_sumpfnovize; guild = GIL_strf; level = 3; voice = 0; id = 1729; //-------- abilities -------- attribute[ATR_STRENGTH] = 10; attribute[ATR_DEXTERITY] = 10; attribute[ATR_MANA_MAX] = 7; attribute[ATR_MANA] = 7; attribute[ATR_HITPOINTS_MAX] = 76; attribute[ATR_HITPOINTS] = 76; //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Relaxed.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 1, 1,"Hum_Head_FatBald", 28, 1, ITAR_TemplerFanatiker); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_STRONG; //-------- Talente -------- //-------- inventory -------- //-------------Daily Routine------------- daily_routine = Rtn_start_1729; //------------- //MISSIONs------------- }; FUNC VOID Rtn_start_1729 () { TA_Stand_ArmsCrossed (02,00,08,00,"NW_FARM1_BANDITS_CAVE_01"); TA_Stand_ArmsCrossed (08,00,02,00,"NW_FARM1_BANDITS_CAVE_01"); };
D
instance MENU_OPTIONS(C_MENU_DEF) { items[0] = "MENUITEM_OPT_HEADING"; items[1] = "MENUITEM_SYSTEMPACK"; items[2] = "MENUITEM_ASTCONSOLE"; items[3] = "MENUITEM_OPT_GAME"; items[4] = "MENUITEM_OPT_VIDEO"; items[5] = "MENUITEM_OPT_AUDIO"; items[6] = "MENUITEM_OPT_EXT"; items[7] = "MENUITEM_OPT_CONTROLS"; items[8] = "MENUITEM_PERF"; items[9] = "MENUITEM_PERF_CHOICE"; items[10] = "MENUITEM_OPT_BACK"; defaultOutGame = 0; defaultInGame = 0; flags = flags | MENU_SHOW_INFO | MENU_DONTSCALE_DIM; }; const int MENU_OPT_DY = 600; const int MENU_OPT_START_Y = 2000; instance MENUITEM_OPT_HEADING(C_MENU_ITEM_DEF) { text[0] = ""; type = MENU_ITEM_TEXT; posx = 0; posy = MENU_TITLE_Y - (MENU_OPT_DY * 1); dimx = 8192; flags = flags & ~IT_SELECTABLE; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_SYSTEMPACK(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Настройки SP"; text[1] = "Настройки для пакета System Pack"; posx = 0; posy = MENU_OPT_START_Y - (MENU_OPT_DY * 2); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_SYSTEMPACK"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_ASTCONSOLE(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Настройки AST"; text[1] = "Настройки для пакета AST"; posx = 0; posy = MENU_OPT_START_Y - (MENU_OPT_DY * 1); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_AST_CONSOLE"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_GAME(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Настройки игры"; text[1] = "Общие настройки игрового процесса"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 0); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_OPT_GAME"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_VIDEO(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Графика"; text[1] = "Настройка параметров видеокарты"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 1); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_OPT_VIDEO"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_AUDIO(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Звук"; text[1] = "Настройка звука и музыки в игре"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 2); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_OPT_AUDIO"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_EXT(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Оптимизация"; text[1] = "Оптимизация производительности в игре"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 3); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_OPT_EXT"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_CONTROLS(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Управление"; text[1] = "Настройка кнопок управления в игре"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 4); dimx = 8192; dimy = 750; onselaction[0] = SEL_ACTION_STARTMENU; onselaction_s[0] = "MENU_OPT_CONTROLS"; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_PERF(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Стиль управления"; text[1] = "Выбор стиля управления в игре"; posx = 0; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 6); dimx = 8192; dimy = 800; onselaction[0] = SEL_ACTION_UNDEF; flags = flags | IT_EFFECTS_NEXT; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_PERF_CHOICE(C_MENU_ITEM_DEF) { backPic = MENU_CHOICE_BACK_PIC; text[0] = "Готика 2|Готика"; type = MENU_ITEM_CHOICEBOX; fontname = MENU_FONT_SMALL; posx = 4100 - 2000; posy = MENU_OPT_START_Y + (MENU_OPT_DY * 6) + 650; dimx = 4000; dimy = 350; onchgsetoption = "useGothic1Controls"; onchgsetoptionsection = "GAME"; flags = flags & ~IT_SELECTABLE; flags = flags | IT_TXT_CENTER; }; instance MENUITEM_OPT_BACK(C_MENU_ITEM_DEF) { backPic = MENU_ITEM_BACK_PIC; text[0] = "Назад"; text[1] = ""; posx = 1000; posy = MENU_BACK_Y + 300; dimx = 6192; dimy = MENU_OPT_DY; onselaction[0] = SEL_ACTION_BACK; flags = flags | IT_TXT_CENTER; }; func int update_perfoptions() { Apply_Options_Performance(); return 0; };
D
// Copyright © 2011, Jakob Bornecrantz. All rights reserved. // See copyright notice in src/charge/charge.d (GPLv2 only). /** * Source file for a Fifi Queue. */ module charge.util.fifo; /** * Small fifo class. * Its not the most optimal code but thats what you get when you spend ten * minutes writing something. Heck this comment took longer to write then * the actual code. * * Anyway it only works for pointer type objects since it sets the object * in the internal array to null at pop, this is to make sure that objects that * where once inserted into the fifo can be collected. */ class Fifo(T) { this() { array.length = 4; num = 0; } void add(T t) { if (num >= array.length) { array.length = array.length * 2 + 1; } array[num++] = t; } T pop() { if (num == 0) return null; T t = array[0]; array[0] = null; array = array[1 .. array.length]; num--; return t; } size_t length() { return num; } protected: size_t num; T array[]; }
D
module d.ast.expression; import d.ast.base; import d.ast.declaration; import d.ast.identifier; import d.ast.statement; import d.ast.type; abstract class AstExpression : Node { this(Location location) { super(location); } string toString(Context) const { assert(0, "toString not implement for " ~ typeid(this).toString()); } } final: /** * Conditional expression of type ?: */ class TernaryExpression(E) : E if(is(E: AstExpression)){ E condition; E lhs; E rhs; this(U...)(Location location, U args, E condition, E lhs, E rhs) { super(location, args); this.condition = condition; this.lhs = lhs; this.rhs = rhs; } override string toString(Context ctx) const { return condition.toString(ctx) ~ "? " ~ lhs.toString(ctx) ~ " : " ~ rhs.toString(ctx); } } alias AstTernaryExpression = TernaryExpression!AstExpression; /** * Binary Expressions. */ enum BinaryOp { Comma, Assign, Add, Sub, Concat, Mul, Div, Mod, Pow, AddAssign, SubAssign, ConcatAssign, MulAssign, DivAssign, ModAssign, PowAssign, LogicalOr, LogicalAnd, LogicalOrAssign, LogicalAndAssign, BitwiseOr, BitwiseAnd, BitwiseXor, BitwiseOrAssign, BitwiseAndAssign, BitwiseXorAssign, Equal, NotEqual, Identical, NotIdentical, In, NotIn, LeftShift, SignedRightShift, UnsignedRightShift, LeftShiftAssign, SignedRightShiftAssign, UnsignedRightShiftAssign, Greater, GreaterEqual, Less, LessEqual, // Weird float operators LessGreater, LessEqualGreater, UnorderedLess, UnorderedLessEqual, UnorderedGreater, UnorderedGreaterEqual, Unordered, UnorderedEqual, } class BinaryExpression(T) : T if(is(T: AstExpression)){ T lhs; T rhs; BinaryOp op; this(U...)(Location location, U args, BinaryOp op, T lhs, T rhs) { super(location, args); this.lhs = lhs; this.rhs = rhs; this.op = op; } invariant() { assert(lhs); assert(rhs); } override string toString(Context ctx) const { import std.conv; return lhs.toString(ctx) ~ " " ~ to!string(op) ~ " " ~ rhs.toString(ctx); } } alias AstBinaryExpression = BinaryExpression!AstExpression; /** * Unary Expression types. */ enum UnaryOp { AddressOf, Dereference, PreInc, PreDec, PostInc, PostDec, Plus, Minus, Not, Complement, } string unarizeString(string s, UnaryOp op) { final switch(op) with(UnaryOp) { case AddressOf : return "&" ~ s; case Dereference : return "*" ~ s; case PreInc : return "++" ~ s; case PreDec : return "--" ~ s; case PostInc : return s ~ "++"; case PostDec : return s ~ "--"; case Plus : return "+" ~ s; case Minus : return "-" ~ s; case Not : return "!" ~ s; case Complement : return "~" ~ s; } } class AstUnaryExpression : AstExpression { AstExpression expr; UnaryOp op; this(Location location, UnaryOp op, AstExpression expr) { super(location); this.expr = expr; this.op = op; } invariant() { assert(expr); } override string toString(Context ctx) const { return unarizeString(expr.toString(ctx), op); } } class AstCastExpression : AstExpression { QualAstType type; AstExpression expr; this(Location location, QualAstType type, AstExpression expr) { super(location); this.type = type; this.expr = expr; } override string toString(Context ctx) const { return "cast(" ~ type.toString(ctx) ~ ") " ~ expr.toString(ctx); } } /** * Function call */ class CallExpression(T) : T if(is(T: AstExpression)){ T callee; T[] args; this(U...)(Location location, U pargs, T callee, T[] args) { super(location, pargs); this.callee = callee; this.args = args; } override string toString(Context ctx) const { import std.algorithm, std.range; return callee.toString(ctx) ~ "(" ~ args.map!(a => a.toString(ctx)).join(", ") ~ ")"; } } alias AstCallExpression = CallExpression!AstExpression; /** * Indetifier calls. */ class IdentifierCallExpression : AstExpression { Identifier callee; AstExpression[] args; this(Location location, Identifier callee, AstExpression[] args) { super(location); this.callee = callee; this.args = args; } override string toString(Context ctx) const { import std.algorithm, std.range; return callee.toString(ctx) ~ "(" ~ args.map!(a => a.toString(ctx)).join(", ") ~ ")"; } } /** * Index expression : indexed[arguments] */ class AstIndexExpression : AstExpression { AstExpression indexed; AstExpression[] arguments; this(Location location, AstExpression indexed, AstExpression[] arguments) { super(location); this.indexed = indexed; this.arguments = arguments; } } /** * Slice expression : [first .. second] */ class SliceExpression(T) : T if(is(T: AstExpression)) { T sliced; T[] first; T[] second; this(U...)(Location location, U args, T sliced, T[] first, T[] second) { super(location, args); this.sliced = sliced; this.first = first; this.second = second; } } alias AstSliceExpression = SliceExpression!AstExpression; /** * Parenthese expression. */ class ParenExpression : AstExpression { AstExpression expr; this(Location location, AstExpression expr) { super(location); this.expr = expr; } } /** * Identifier expression */ class IdentifierExpression : AstExpression { Identifier identifier; this(Identifier identifier) { super(identifier.location); this.identifier = identifier; } override string toString(Context ctx) const { return identifier.toString(ctx); } } /** * new */ class NewExpression : AstExpression { QualAstType type; AstExpression[] args; this(Location location, QualAstType type, AstExpression[] args) { super(location); this.type = type; this.args = args; } override string toString(Context ctx) const { import std.algorithm, std.range; return "new " ~ type.toString(ctx) ~ "(" ~ args.map!(a => a.toString(ctx)).join(", ") ~ ")"; } } alias AstNewExpression = NewExpression; /** * Array literal */ class ArrayLiteral(T) : T if(is(T: AstExpression)) { T[] values; this(Location location, T[] values) { super(location); this.values = values; } override string toString(Context ctx) const { import std.algorithm, std.range; return "[" ~ values.map!(v => v.toString(ctx)).join(", ") ~ "]"; } } alias AstArrayLiteral = ArrayLiteral!AstExpression; /** * __FILE__ literal */ class __File__Literal : AstExpression { this(Location location) { super(location); } } /** * __LINE__ literal */ class __Line__Literal : AstExpression { this(Location location) { super(location); } } /** * Delegate literal */ class DelegateLiteral : AstExpression { ParamDecl[] params; bool isVariadic; AstBlockStatement fbody; this(Location location, ParamDecl[] params, bool isVariadic, AstBlockStatement fbody) { super(location); this.params = params; this.isVariadic = isVariadic; this.fbody = fbody; } this(AstBlockStatement fbody) { this(fbody.location, [], false, fbody); } } /** * Lambda expressions */ class Lambda : AstExpression { ParamDecl[] params; AstExpression value; this(Location location, ParamDecl[] params, AstExpression value) { super(location); this.params = params; this.value = value; } } /** * $ */ class DollarExpression : AstExpression { this(Location location) { super(location); } } /** * is expression. */ class IsExpression : AstExpression { QualAstType tested; this(Location location, QualAstType tested) { super(location); this.tested = tested; } } /** * assert */ class AssertExpression(T) : T if(is(T: AstExpression)) { T condition; T message; this(U...)(Location location, U args, T condition, T message) { super(location, args); this.condition = condition; this.message = message; } } alias AstAssertExpression = AssertExpression!AstExpression; /** * typeid(expression) expression. */ class AstTypeidExpression : AstExpression { AstExpression argument; this(Location location, AstExpression argument) { super(location); this.argument = argument; } } /** * typeid(type) expression. */ class StaticTypeidExpression(T, E) : E if(is(E: AstExpression)) { T argument; this(U...)(Location location, U args, T argument) { super(location, args); this.argument = argument; } } alias AstStaticTypeidExpression = StaticTypeidExpression!(QualAstType, AstExpression); /** * ambiguous typeid expression. */ class IdentifierTypeidExpression : AstExpression { Identifier argument; this(Location location, Identifier argument) { super(location); this.argument = argument; } }
D
/afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/PhotonEfficiencyCorrection/obj/TPhotonEfficiencyCorrectionTool.o /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/PhotonEfficiencyCorrection/obj/TPhotonEfficiencyCorrectionTool.d : /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.1.29/PhotonEfficiencyCorrection/Root/TPhotonEfficiencyCorrectionTool.cxx /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.1.29/PhotonEfficiencyCorrection/PhotonEfficiencyCorrection/TPhotonEfficiencyCorrectionTool.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Riosfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMathBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RtypesCore.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/DllImport.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Rtypeinfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/snprintf.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/strlcpy.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TGenericClassInfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSchemaHelper.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TKey.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TNamed.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVersionCheck.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TBuffer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDatime.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TObjArray.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSeqCollection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TCollection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TIterator.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TH1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayD.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArray.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttLine.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttFill.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttMarker.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayC.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayS.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayI.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Foption.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVectorFfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVectorDfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TFitResultPtr.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TH2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixFBasefwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixDBasefwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TRandom3.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TRandom.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/PATCore/TResult.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/PATCore/TCalculatorToolBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/PATCore/TResult.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/PATCore/PATCoreEnums.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/ElectronEfficiencyCorrection/TElectronEfficiencyCorrectionTool.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSystem.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TInetAddress.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TTimer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSysEvtHandler.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TList.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQObjectEmitVA.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQConnection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Varargs.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TInterpreter.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDictionary.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/ESTLType.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVirtualMutex.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TTime.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/ThreadLocalStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RConfigure.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TObjString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TROOT.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDirectory.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TUUID.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDirectoryFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMap.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/THashTable.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TUrl.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TClass.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMD5.h
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_agm-3112671311.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_0_agm-3112671311.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/Users/debjit/Dev/CueScreen/Build/Intermediates/CueScreen.build/Debug-iphonesimulator/CueScreen.build/Objects-normal/i386/CircleView.o : /Users/debjit/Dev/CueScreen/CircleView.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewController.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewControllerUtils.swift /Users/debjit/Dev/CueScreen/CueScreen/CircleViewGrey.swift /Users/debjit/Dev/CueScreen/CueScreen/AppDelegate.swift /Users/debjit/Dev/CueScreen/LoginVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule /Users/debjit/Dev/CueScreen/Build/Intermediates/CueScreen.build/Debug-iphonesimulator/CueScreen.build/Objects-normal/i386/CircleView~partial.swiftmodule : /Users/debjit/Dev/CueScreen/CircleView.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewController.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewControllerUtils.swift /Users/debjit/Dev/CueScreen/CueScreen/CircleViewGrey.swift /Users/debjit/Dev/CueScreen/CueScreen/AppDelegate.swift /Users/debjit/Dev/CueScreen/LoginVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule /Users/debjit/Dev/CueScreen/Build/Intermediates/CueScreen.build/Debug-iphonesimulator/CueScreen.build/Objects-normal/i386/CircleView~partial.swiftdoc : /Users/debjit/Dev/CueScreen/CircleView.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewController.swift /Users/debjit/Dev/CueScreen/CueScreen/ViewControllerUtils.swift /Users/debjit/Dev/CueScreen/CueScreen/CircleViewGrey.swift /Users/debjit/Dev/CueScreen/CueScreen/AppDelegate.swift /Users/debjit/Dev/CueScreen/LoginVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule
D
module ft.tttables; import ft.freetype : FT_CharMap, FT_Face; import ft.types : FT_Byte, FT_Char, FT_Error, FT_Fixed, FT_UInt, FT_Long, FT_ULong, FT_Short, FT_UShort; extern(C) nothrow @nogc: struct TT_Header { FT_Fixed Table_Version; FT_Fixed Font_Revision; FT_Long CheckSum_Adjust; FT_Long Magic_Number; FT_UShort Flags; FT_UShort Units_Per_EM; FT_Long[2] Created; FT_Long[2] Modified; FT_Short xMin; FT_Short yMin; FT_Short xMax; FT_Short yMax; FT_UShort Mac_Style; FT_UShort Lowest_Rec_PPEM; FT_Short Font_Direction; FT_Short Index_To_Loc_Format; FT_Short Glyph_Data_Format; } struct TT_HoriHeader { FT_Fixed Version; FT_Short Ascender; FT_Short Descender; FT_Short Line_Gap; FT_UShort advance_Width_Max; /* advance width maximum */ FT_Short min_Left_Side_Bearing; /* minimum left-sb */ FT_Short min_Right_Side_Bearing; /* minimum right-sb */ FT_Short xMax_Extent; /* xmax extents */ FT_Short caret_Slope_Rise; FT_Short caret_Slope_Run; FT_Short caret_Offset; FT_Short[4] Reserved; FT_Short metric_Data_Format; FT_UShort number_Of_HMetrics; void* long_metrics; void* short_metrics; } struct TT_VertHeader { FT_Fixed Version; FT_Short Ascender; FT_Short Descender; FT_Short Line_Gap; FT_UShort advance_Height_Max; /* advance height maximum */ FT_Short min_Top_Side_Bearing; /* minimum top-sb */ FT_Short min_Bottom_Side_Bearing; /* minimum bottom-sb */ FT_Short yMax_Extent; /* ymax extents */ FT_Short caret_Slope_Rise; FT_Short caret_Slope_Run; FT_Short caret_Offset; FT_Short[4] Reserved; FT_Short metric_Data_Format; FT_UShort number_Of_VMetrics; void* long_metrics; void* short_metrics; } struct TT_OS2 { FT_UShort ver; FT_Short xAvgCharWidth; FT_UShort usWeightClass; FT_UShort usWidthClass; FT_UShort fsType; FT_Short ySubscriptXSize; FT_Short ySubscriptYSize; FT_Short ySubscriptXOffset; FT_Short ySubscriptYOffset; FT_Short ySuperscriptXSize; FT_Short ySuperscriptYSize; FT_Short ySuperscriptXOffset; FT_Short ySuperscriptYOffset; FT_Short yStrikeoutSize; FT_Short yStrikeoutPosition; FT_Short sFamilyClass; FT_Byte[10] panose; FT_ULong ulUnicodeRange1; /* Bits 0-31 */ FT_ULong ulUnicodeRange2; /* Bits 32-63 */ FT_ULong ulUnicodeRange3; /* Bits 64-95 */ FT_ULong ulUnicodeRange4; /* Bits 96-127 */ FT_Char[4] achVendID; FT_UShort fsSelection; FT_UShort usFirstCharIndex; FT_UShort usLastCharIndex; FT_Short sTypoAscender; FT_Short sTypoDescender; FT_Short sTypoLineGap; FT_UShort usWinAscent; FT_UShort usWinDescent; /* only version 1 and higher: */ FT_ULong ulCodePageRange1; /* Bits 0-31 */ FT_ULong ulCodePageRange2; /* Bits 32-63 */ /* only version 2 and higher: */ FT_Short sxHeight; FT_Short sCapHeight; FT_UShort usDefaultChar; FT_UShort usBreakChar; FT_UShort usMaxContext; /* only version 5 and higher: */ FT_UShort usLowerOpticalPointSize; /* in twips (1/20th points) */ FT_UShort usUpperOpticalPointSize; /* in twips (1/20th points) */ } struct TT_Postscript { FT_Fixed FormatType; FT_Fixed italicAngle; FT_Short underlinePosition; FT_Short underlineThickness; FT_ULong isFixedPitch; FT_ULong minMemType42; FT_ULong maxMemType42; FT_ULong minMemType1; FT_ULong maxMemType1; } struct TT_PCLT { FT_Fixed Version; FT_ULong FontNumber; FT_UShort Pitch; FT_UShort xHeight; FT_UShort Style; FT_UShort TypeFamily; FT_UShort CapHeight; FT_UShort SymbolSet; FT_Char[16] TypeFace; FT_Char[8] CharacterComplement; FT_Char[6] FileName; FT_Char StrokeWeight; FT_Char WidthType; FT_Byte SerifStyle; FT_Byte Reserved; } struct TT_MaxProfile { FT_Fixed ver; FT_UShort numGlyphs; FT_UShort maxPoints; FT_UShort maxContours; FT_UShort maxCompositePoints; FT_UShort maxCompositeContours; FT_UShort maxZones; FT_UShort maxTwilightPoints; FT_UShort maxStorage; FT_UShort maxFunctionDefs; FT_UShort maxInstructionDefs; FT_UShort maxStackElements; FT_UShort maxSizeOfInstructions; FT_UShort maxComponentElements; FT_UShort maxComponentDepth; } enum FT_Sfnt_Tag { FT_SFNT_HEAD, FT_SFNT_MAXP, FT_SFNT_OS2, FT_SFNT_HHEA, FT_SFNT_VHEA, FT_SFNT_POST, FT_SFNT_PCLT, FT_SFNT_MAX } enum FT_SFNT_HEAD = FT_Sfnt_Tag.FT_SFNT_HEAD; enum FT_SFNT_MAXP = FT_Sfnt_Tag.FT_SFNT_MAXP; enum FT_SFNT_OS2 = FT_Sfnt_Tag.FT_SFNT_OS2; enum FT_SFNT_HHEA = FT_Sfnt_Tag.FT_SFNT_HHEA; enum FT_SFNT_VHEA = FT_Sfnt_Tag.FT_SFNT_VHEA; enum FT_SFNT_POST = FT_Sfnt_Tag.FT_SFNT_POST; enum FT_SFNT_PCLT = FT_Sfnt_Tag.FT_SFNT_PCLT; enum FT_SFNT_MAX = FT_Sfnt_Tag.FT_SFNT_MAX; void* FT_Get_Sfnt_Table( FT_Face face, FT_Sfnt_Tag tag ); FT_Error FT_Load_Sfnt_Table( FT_Face face, FT_ULong tag, FT_Long offset, FT_Byte* buffer, FT_ULong* length ); FT_Error FT_Sfnt_Table_Info( FT_Face face, FT_UInt table_index, FT_ULong *tag, FT_ULong *length ); FT_ULong FT_Get_CMap_Language_ID( FT_CharMap charmap ); FT_Long FT_Get_CMap_Format( FT_CharMap charmap );
D
INSTANCE Info_Mod_Ferd_Hi (C_INFO) { npc = Mod_7520_JG_Ferd_JL; nr = 1; condition = Info_Mod_Ferd_Hi_Condition; information = Info_Mod_Ferd_Hi_Info; permanent = 0; important = 0; description = "Du bist einer der Jäger, die das Lager hier mit Fleisch (...)"; }; FUNC INT Info_Mod_Ferd_Hi_Condition() { return 1; }; FUNC VOID Info_Mod_Ferd_Hi_Info() { AI_Output(hero, self, "Info_Mod_Ferd_Hi_15_00"); //Du bist einer der Jäger, die das Lager hier mit Fleisch und Fellen versorgen? AI_Output(self, hero, "Info_Mod_Ferd_Hi_06_01"); //Jo, aber ich kann im Moment nich jagen. AI_Output(hero, self, "Info_Mod_Ferd_Hi_15_02"); //Warum? AI_Output(self, hero, "Info_Mod_Ferd_Hi_06_03"); //Letzthin hat mich 'ne Wildsau mit ihren Hauern erwischt. Nu hab ich 'ne tiefe Wunde am Bein. AI_Output(hero, self, "Info_Mod_Ferd_Hi_15_04"); //Aber du überlebst? AI_Output(self, hero, "Info_Mod_Ferd_Hi_06_05"); //Klar. Wulfgar kümmert sich um mich. AI_Output(hero, self, "Info_Mod_Ferd_Hi_15_06"); //Dann mal gute Besserung. }; INSTANCE Info_Mod_Ferd_Pickpocket (C_INFO) { npc = Mod_7520_JG_Ferd_JL; nr = 1; condition = Info_Mod_Ferd_Pickpocket_Condition; information = Info_Mod_Ferd_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_60; }; FUNC INT Info_Mod_Ferd_Pickpocket_Condition() { C_Beklauen (55, ItMi_Gold, 18); }; FUNC VOID Info_Mod_Ferd_Pickpocket_Info() { Info_ClearChoices (Info_Mod_Ferd_Pickpocket); Info_AddChoice (Info_Mod_Ferd_Pickpocket, DIALOG_BACK, Info_Mod_Ferd_Pickpocket_BACK); Info_AddChoice (Info_Mod_Ferd_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Ferd_Pickpocket_DoIt); }; FUNC VOID Info_Mod_Ferd_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_Ferd_Pickpocket); }; FUNC VOID Info_Mod_Ferd_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_Ferd_Pickpocket); } else { Info_ClearChoices (Info_Mod_Ferd_Pickpocket); Info_AddChoice (Info_Mod_Ferd_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Ferd_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_Ferd_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Ferd_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_Ferd_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Ferd_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_Ferd_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Ferd_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_Ferd_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Ferd_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_Ferd_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_Ferd_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_Ferd_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_Ferd_EXIT (C_INFO) { npc = Mod_7520_JG_Ferd_JL; nr = 1; condition = Info_Mod_Ferd_EXIT_Condition; information = Info_Mod_Ferd_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Ferd_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Ferd_EXIT_Info() { AI_StopProcessInfos (self); };
D
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/GoogleCloud.build/Storage/API/StorageObjectAPI.swift.o : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/DefaultObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/BucketAccessControlAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ChannelsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageNotificationsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageObjectAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageBucketAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthRefreshable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageScope.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudAPIConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthAccessToken.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthCredentialLoader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Provider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/CloudStorageError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Extensions.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/Loaders.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageClass.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageObject.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucket.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageClient.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageRequest.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucketList.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthComputeEngine+AppEngineFlex.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/IAMPolicy.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/HTTP.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Validation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/WebSocket.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOWebSocket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/TemplateKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/GoogleCloud.build/Storage/API/StorageObjectAPI~partial.swiftmodule : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/DefaultObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/BucketAccessControlAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ChannelsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageNotificationsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageObjectAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageBucketAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthRefreshable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageScope.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudAPIConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthAccessToken.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthCredentialLoader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Provider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/CloudStorageError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Extensions.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/Loaders.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageClass.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageObject.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucket.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageClient.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageRequest.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucketList.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthComputeEngine+AppEngineFlex.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/IAMPolicy.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/HTTP.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Validation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/WebSocket.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOWebSocket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/TemplateKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/GoogleCloud.build/Storage/API/StorageObjectAPI~partial.swiftdoc : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/DefaultObjectACLAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/BucketAccessControlAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/ChannelsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageNotificationsAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageObjectAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/API/StorageBucketAPI.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthRefreshable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageScope.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudAPIConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthAccessToken.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthCredentialLoader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Provider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/GoogleCloudError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/CloudStorageError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Extensions.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/Loaders.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/Enums/StorageClass.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageObject.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucket.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthApplicationDefault.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageClient.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/Credentials/ServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthServiceAccount.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/StorageRequest.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/StorageBucketList.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Common/OAuth/OAuthComputeEngine+AppEngineFlex.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/google-cloud-provider/Sources/GoogleCloud/Storage/Models/IAMPolicy.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/HTTP.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Validation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/WebSocket.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOWebSocket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/TemplateKit.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module engine.core.containers; public: import engine.core.containers.array; import engine.core.containers.cow; import engine.core.containers.dictionary; import engine.core.containers.priority_queue; import engine.core.containers.queue; import engine.core.containers.slist; import engine.core.containers.stack;
D
module android.java.android.text.style.TextAppearanceSpan_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import5 = android.java.android.text.TextPaint_d_interface; import import2 = android.java.android.os.Parcel_d_interface; import import4 = android.java.android.graphics.Typeface_d_interface; import import8 = android.java.java.lang.Class_d_interface; import import3 = android.java.android.os.LocaleList_d_interface; import import1 = android.java.android.content.res.ColorStateList_d_interface; import import6 = android.java.android.text.style.MetricAffectingSpan_d_interface; import import7 = android.java.android.text.style.CharacterStyle_d_interface; import import0 = android.java.android.content.Context_d_interface; final class TextAppearanceSpan : IJavaObject { static immutable string[] _d_canCastTo = [ "android/text/ParcelableSpan", ]; @Import this(import0.Context, int); @Import this(import0.Context, int, int); @Import this(string, int, int, import1.ColorStateList, import1.ColorStateList); @Import this(import2.Parcel); @Import int getSpanTypeId(); @Import int describeContents(); @Import void writeToParcel(import2.Parcel, int); @Import string getFamily(); @Import import1.ColorStateList getTextColor(); @Import import1.ColorStateList getLinkTextColor(); @Import int getTextSize(); @Import int getTextStyle(); @Import int getTextFontWeight(); @Import import3.LocaleList getTextLocales(); @Import import4.Typeface getTypeface(); @Import int getShadowColor(); @Import float getShadowDx(); @Import float getShadowDy(); @Import float getShadowRadius(); @Import string getFontFeatureSettings(); @Import string getFontVariationSettings(); @Import bool isElegantTextHeight(); @Import void updateDrawState(import5.TextPaint); @Import void updateMeasureState(import5.TextPaint); @Import import6.MetricAffectingSpan getUnderlying(); @Import static import7.CharacterStyle wrap(import7.CharacterStyle); @Import import8.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/text/style/TextAppearanceSpan;"; }
D
/***********************************\ BARS \***********************************/ //======================================== // Klasse für den Nutzer //======================================== class Bar { var int x; var int y; var int barTop; var int barLeft; var int width; var int height; var string backTex; var string barTex; var int value; var int valueMax; }; //======================================== // Prototyp für Konstruktor-Instanz //======================================== prototype GothicBar(Bar) { x = Print_Screen[PS_X] / 2; y = Print_Screen[PS_Y] - 20; barTop = 3; barLeft = 7; width = 180; height = 20; backTex = "Bar_Back.tga"; barTex = "Bar_Misc.tga"; value = 100; valueMax = 100; }; //======================================== // Beispiel für Konstruktor-Instanz //======================================== instance GothicBar@(GothicBar); //======================================== // [intern] Klasse für PermMem //======================================== class _bar { var int valMax; var int barW; var int v0; // zCView(h) var int v1; // zCView(h) }; instance _bar@(_bar); func void _bar_Delete(var _bar b) { if(Hlp_IsValidHandle(b.v0)) { delete(b.v0); }; if(Hlp_IsValidHandle(b.v1)) { delete(b.v1); }; }; //======================================== // Höchstwert setzen //======================================== func void Bar_SetMax(var int bar, var int max) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); b.valMax = max; }; //======================================== // Wert in 1/1000 //======================================== func void Bar_SetPromille(var int bar, var int pro) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); if(pro > 1000) { pro = 1000; }; View_Resize(b.v1, (pro * b.barW) / 1000, -1); }; //======================================== // Wert in 1/100 //======================================== func void Bar_SetPercent(var int bar, var int perc) { Bar_SetPromille(bar, perc*10); }; //======================================== // Wert der Bar //======================================== func void Bar_SetValue(var int bar, var int val) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); if(val) { Bar_SetPromille(bar, (val * 1000) / b.valMax); } else { Bar_SetPromille(bar, 0); }; }; //======================================== // Neue Bar erstellen //======================================== func int Bar_Create(var int inst) { Print_GetScreenSize(); var int ptr; ptr = create(inst); var bar bu; bu = MEM_PtrToInst(ptr); var int bh; bh = new(_bar@); var _bar b; b = get(bh); b.valMax = bu.valueMax; var int buhh; var int buwh; var int ah; var int aw; buhh = bu.height / 2; buwh = bu.width / 2; if(buhh*2 < bu.height) {ah = 1;} else {ah = 0;}; if(buwh*2 < bu.width) {aw = 1;} else {aw = 0;}; b.v0 = View_CreatePxl(bu.x - buwh, bu.y - buhh, bu.x + buwh + aw, bu.y + buhh + ah); buhh -= bu.barTop; buwh -= bu.barLeft; b.barW = Print_ToVirtual(bu.width - bu.barLeft * 2 + aw, PS_X); b.v1 = View_CreatePxl(bu.x - buwh, bu.y - buhh, bu.x + buwh + aw, bu.y + buhh + ah); View_SetTexture(b.v0, bu.backTex); View_SetTexture(b.v1, bu.barTex); var zCView v; v = View_Get(b.v0); v.fxOpen = 0; v.fxClose = 0; v = View_Get(b.v1); v.fxOpen = 0; v.fxClose = 0; View_Open(b.v0); View_Open(b.v1); Bar_SetValue(bh, bu.value); free(ptr, inst); return bh; }; //======================================== // Bar löschen //======================================== func void Bar_Delete(var int bar) { if(Hlp_IsValidHandle(bar)) { delete(bar); }; }; //======================================== // Bar zeigen //======================================== func void Bar_Hide(var int bar) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); View_Close(b.v0); View_Close(b.v1); }; //======================================== // Bar verstecken //======================================== func void Bar_Show(var int bar) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); View_Open(b.v0); View_Open(b.v1); }; //======================================== // Bar bewegen //======================================== func void Bar_MoveTo(var int bar, var int x, var int y) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); var zCView v; v = View_Get(b.v0); x -= v.vsizex>>1; y -= v.vsizey>>1; x -= v.vposx; y -= v.vposy; View_Move(b.v0, x, y); View_Move(b.v1, x, y); }; //======================================== // Bar Alpha //======================================== func void Bar_SetAlpha(var int bar, var int alpha) { if(!Hlp_IsValidHandle(bar)) { return; }; var _bar b; b = get(bar); var zCView v; v = View_Get(b.v0); v.alpha = alpha; v = View_Get(b.v1); v.alpha = alpha; };
D
Short: E Long: cert Arg: <certificate[:password]> Help: Client certificate file and password Protocols: TLS See-also: cert-type key key-type Category: tls Example: --cert certfile --key keyfile $URL Added: 5.0 --- Tells curl to use the specified client certificate file when getting a file with HTTPS, FTPS or another SSL-based protocol. The certificate must be in PKCS#12 format if using Secure Transport, or PEM format if using any other engine. If the optional password is not specified, it will be queried for on the terminal. Note that this option assumes a \&"certificate" file that is the private key and the client certificate concatenated! See --cert and --key to specify them independently. If curl is built against the NSS SSL library then this option can tell curl the nickname of the certificate to use within the NSS database defined by the environment variable SSL_DIR (or by default /etc/pki/nssdb). If the NSS PEM PKCS#11 module (libnsspem.so) is available then PEM files may be loaded. If you want to use a file from the current directory, please precede it with "./" prefix, in order to avoid confusion with a nickname. If the nickname contains ":", it needs to be preceded by "\\" so that it is not recognized as password delimiter. If the nickname contains "\\", it needs to be escaped as "\\\\" so that it is not recognized as an escape character. If curl is built against OpenSSL library, and the engine pkcs11 is available, then a PKCS#11 URI (RFC 7512) can be used to specify a certificate located in a PKCS#11 device. A string beginning with "pkcs11:" will be interpreted as a PKCS#11 URI. If a PKCS#11 URI is provided, then the --engine option will be set as "pkcs11" if none was provided and the --cert-type option will be set as "ENG" if none was provided. (iOS and macOS only) If curl is built against Secure Transport, then the certificate string can either be the name of a certificate/private key in the system or user keychain, or the path to a PKCS#12-encoded certificate and private key. If you want to use a file from the current directory, please precede it with "./" prefix, in order to avoid confusion with a nickname. (Schannel only) Client certificates must be specified by a path expression to a certificate store. (Loading PFX is not supported; you can import it to a store first). You can use "<store location>\\<store name>\\<thumbprint>" to refer to a certificate in the system certificates store, for example, "CurrentUser\\MY\\934a7ac6f8a5d579285a74fa61e19f23ddfe8d7a". Thumbprint is usually a SHA-1 hex string which you can see in certificate details. Following store locations are supported: CurrentUser, LocalMachine, CurrentService, Services, CurrentUserGroupPolicy, LocalMachineGroupPolicy, LocalMachineEnterprise. If this option is used several times, the last one will be used.
D
/Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe.o : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe~partial.swiftmodule : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe~partial.swiftdoc : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; import fortytwo; void main() { writefln("ShouldBe42: %s", fun42()); }
D
/// module std.experimental.logger.core; import std.datetime; import std.range.primitives; import std.traits; import core.sync.mutex : Mutex; import std.experimental.logger.filelogger; shared static this() { stdSharedLoggerMutex = new Mutex; } /** This template evaluates if the passed $(D LogLevel) is active. The previously described version statements are used to decide if the $(D LogLevel) is active. The version statements only influence the compile unit they are used with, therefore this function can only disable logging this specific compile unit. */ template isLoggingActiveAt(LogLevel ll) { version (StdLoggerDisableLogging) { enum isLoggingActiveAt = false; } else { static if (ll == LogLevel.trace) { version (StdLoggerDisableTrace) enum isLoggingActiveAt = false; } else static if (ll == LogLevel.info) { version (StdLoggerDisableInfo) enum isLoggingActiveAt = false; } else static if (ll == LogLevel.warning) { version (StdLoggerDisableWarning) enum isLoggingActiveAt = false; } else static if (ll == LogLevel.error) { version (StdLoggerDisableError) enum isLoggingActiveAt = false; } else static if (ll == LogLevel.critical) { version (StdLoggerDisableCritical) enum isLoggingActiveAt = false; } else static if (ll == LogLevel.fatal) { version (StdLoggerDisableFatal) enum isLoggingActiveAt = false; } // If `isLoggingActiveAt` didn't get defined above to false, // we default it to true. static if (!is(typeof(isLoggingActiveAt) == bool)) { enum isLoggingActiveAt = true; } } } /// This compile-time flag is $(D true) if logging is not statically disabled. enum isLoggingActive = isLoggingActiveAt!(LogLevel.all); /** This functions is used at runtime to determine if a $(D LogLevel) is active. The same previously defined version statements are used to disable certain levels. Again the version statements are associated with a compile unit and can therefore not disable logging in other compile units. pure bool isLoggingEnabled()(LogLevel ll) @safe nothrow @nogc */ bool isLoggingEnabled()(LogLevel ll, LogLevel loggerLL, LogLevel globalLL, lazy bool condition = true) @safe { switch (ll) { case LogLevel.trace: version (StdLoggerDisableTrace) return false; else break; case LogLevel.info: version (StdLoggerDisableInfo) return false; else break; case LogLevel.warning: version (StdLoggerDisableWarning) return false; else break; case LogLevel.critical: version (StdLoggerDisableCritical) return false; else break; case LogLevel.fatal: version (StdLoggerDisableFatal) return false; else break; default: break; } return ll >= globalLL && ll >= loggerLL && ll != LogLevel.off && globalLL != LogLevel.off && loggerLL != LogLevel.off && condition; } /** This template returns the $(D LogLevel) named "logLevel" of type $(D LogLevel) defined in a user defined module where the filename has the suffix "_loggerconfig.d". This $(D LogLevel) sets the minimal $(D LogLevel) of the module. A minimal $(D LogLevel) can be defined on a per module basis. In order to define a module $(D LogLevel) a file with a modulename "MODULENAME_loggerconfig" must be found. If no such module exists and the module is a nested module, it is checked if there exists a "PARENT_MODULE_loggerconfig" module with such a symbol. If this module exists and it contains a $(D LogLevel) called logLevel this $(D LogLevel) will be used. This parent lookup is continued until there is no parent module. Then the moduleLogLevel is $(D LogLevel.all). */ template moduleLogLevel(string moduleName) if (!moduleName.length) { // default enum moduleLogLevel = LogLevel.all; } /// @system unittest { static assert(moduleLogLevel!"" == LogLevel.all); } /// ditto template moduleLogLevel(string moduleName) if (moduleName.length) { import std.string : format; mixin(q{ static if (__traits(compiles, {import %1$s : logLevel;})) { import %1$s : logLevel; static assert(is(typeof(logLevel) : LogLevel), "Expect 'logLevel' to be of Type 'LogLevel'."); // don't enforce enum here alias moduleLogLevel = logLevel; } else // use logLevel of package or default alias moduleLogLevel = moduleLogLevel!(parentOf(moduleName)); }.format(moduleName ~ "_loggerconfig")); } /// @system unittest { static assert(moduleLogLevel!"not.amodule.path" == LogLevel.all); } private string parentOf(string mod) { foreach_reverse (i, c; mod) if (c == '.') return mod[0 .. i]; return null; } /* This function formates a $(D SysTime) into an $(D OutputRange). The $(D SysTime) is formatted similar to $(LREF std.datatime.DateTime.toISOExtString) except the fractional second part. The fractional second part is in milliseconds and is always 3 digits. */ void systimeToISOString(OutputRange)(OutputRange o, const ref SysTime time) if (isOutputRange!(OutputRange,string)) { import std.format : formattedWrite; const auto dt = cast(DateTime) time; const auto fsec = time.fracSecs.total!"msecs"; formattedWrite(o, "%04d-%02d-%02dT%02d:%02d:%02d.%03d", dt.year, dt.month, dt.day, dt.hour, dt.minute, dt.second, fsec); } /** This function logs data. In order for the data to be processed, the $(D LogLevel) of the log call must be greater or equal to the $(D LogLevel) of the $(D sharedLog) and the $(D defaultLogLevel); additionally the condition passed must be $(D true). Params: ll = The $(D LogLevel) used by this log call. condition = The condition must be $(D true) for the data to be logged. args = The data that should be logged. Example: -------------------- log(LogLevel.warning, true, "Hello World", 3.1415); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy bool condition, lazy A args) if (args.length != 1) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.log!(line, file, funcName, prettyFuncName, moduleName) (ll, condition, args); } } } /// Ditto void log(T, string moduleName = __MODULE__)(const LogLevel ll, lazy bool condition, lazy T arg, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.log!(T,moduleName)(ll, condition, arg, line, file, funcName, prettyFuncName); } } } /** This function logs data. In order for the data to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D LogLevel) of the $(D sharedLog). Params: ll = The $(D LogLevel) used by this log call. args = The data that should be logged. Example: -------------------- log(LogLevel.warning, "Hello World", 3.1415); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy A args) if (args.length > 1 && !is(Unqual!(A[0]) : bool)) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.log!(line, file, funcName, prettyFuncName, moduleName) (ll, args); } } } /// Ditto void log(T, string moduleName = __MODULE__)(const LogLevel ll, lazy T arg, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.log!T(ll, arg, line, file, funcName, prettyFuncName, moduleName); } } } /** This function logs data. In order for the data to be processed the $(D LogLevel) of the $(D sharedLog) must be greater or equal to the $(D defaultLogLevel) add the condition passed must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. args = The data that should be logged. Example: -------------------- log(true, "Hello World", 3.1415); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy A args) if (args.length != 1) { static if (isLoggingActive) { stdThreadLocalLog.log!(line, file, funcName, prettyFuncName, moduleName) (stdThreadLocalLog.logLevel, condition, args); } } /// Ditto void log(T, string moduleName = __MODULE__)(lazy bool condition, lazy T arg, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__) { static if (isLoggingActive) { stdThreadLocalLog.log!(T,moduleName)(stdThreadLocalLog.logLevel, condition, arg, line, file, funcName, prettyFuncName); } } /** This function logs data. In order for the data to be processed the $(D LogLevel) of the $(D sharedLog) must be greater or equal to the $(D defaultLogLevel). Params: args = The data that should be logged. Example: -------------------- log("Hello World", 3.1415); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy A args) if ((args.length > 1 && !is(Unqual!(A[0]) : bool) && !is(Unqual!(A[0]) == LogLevel)) || args.length == 0) { static if (isLoggingActive) { stdThreadLocalLog.log!(line, file, funcName, prettyFuncName, moduleName)(stdThreadLocalLog.logLevel, args); } } void log(T)(lazy T arg, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__) { static if (isLoggingActive) { stdThreadLocalLog.log!T(stdThreadLocalLog.logLevel, arg, line, file, funcName, prettyFuncName, moduleName); } } /** This function logs data in a $(D printf)-style manner. In order for the data to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D LogLevel) of the $(D sharedLog) and the $(D defaultLogLevel) additionally the condition passed must be $(D true). Params: ll = The $(D LogLevel) used by this log call. condition = The condition must be $(D true) for the data to be logged. msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- logf(LogLevel.warning, true, "Hello World %f", 3.1415); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.logf!(line, file, funcName, prettyFuncName, moduleName) (ll, condition, msg, args); } } } /** This function logs data in a $(D printf)-style manner. In order for the data to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D LogLevel) of the $(D sharedLog) and the $(D defaultLogLevel). Params: ll = The $(D LogLevel) used by this log call. msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- logf(LogLevel.warning, "Hello World %f", 3.1415); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy string msg, lazy A args) { static if (isLoggingActive) { if (ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.logf!(line, file, funcName, prettyFuncName, moduleName) (ll, msg, args); } } } /** This function logs data in a $(D printf)-style manner. In order for the data to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D defaultLogLevel) additionally the condition passed must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- logf(true, "Hello World %f", 3.1415); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActive) { stdThreadLocalLog.logf!(line, file, funcName, prettyFuncName, moduleName) (stdThreadLocalLog.logLevel, condition, msg, args); } } /** This function logs data in a $(D printf)-style manner. In order for the data to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D defaultLogLevel). Params: msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- logf("Hello World %f", 3.1415); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy string msg, lazy A args) { static if (isLoggingActive) { stdThreadLocalLog.logf!(line, file, funcName,prettyFuncName, moduleName) (stdThreadLocalLog.logLevel, msg, args); } } /** This template provides the global log functions with the $(D LogLevel) is encoded in the function name. The aliases following this template create the public names of these log functions. */ template defaultLogFunction(LogLevel ll) { void defaultLogFunction(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy A args) if ((args.length > 0 && !is(Unqual!(A[0]) : bool)) || args.length == 0) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.memLogFunctions!(ll).logImpl!(line, file, funcName, prettyFuncName, moduleName)(args); } } void defaultLogFunction(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.memLogFunctions!(ll).logImpl!(line, file, funcName, prettyFuncName, moduleName)(condition, args); } } } /** This function logs data to the $(D stdThreadLocalLog), optionally depending on a condition. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D stdThreadLocalLog) and must be greater or equal than the global $(D LogLevel). Additionally the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D stdSharedLogger). If a condition is given, it must evaluate to $(D true). Params: condition = The condition must be $(D true) for the data to be logged. args = The data that should be logged. Example: -------------------- trace(1337, "is number"); info(1337, "is number"); error(1337, "is number"); critical(1337, "is number"); fatal(1337, "is number"); trace(true, 1337, "is number"); info(false, 1337, "is number"); error(true, 1337, "is number"); critical(false, 1337, "is number"); fatal(true, 1337, "is number"); -------------------- */ alias trace = defaultLogFunction!(LogLevel.trace); /// Ditto alias info = defaultLogFunction!(LogLevel.info); /// Ditto alias warning = defaultLogFunction!(LogLevel.warning); /// Ditto alias error = defaultLogFunction!(LogLevel.error); /// Ditto alias critical = defaultLogFunction!(LogLevel.critical); /// Ditto alias fatal = defaultLogFunction!(LogLevel.fatal); /** This template provides the global $(D printf)-style log functions with the $(D LogLevel) is encoded in the function name. The aliases following this template create the public names of the log functions. */ template defaultLogFunctionf(LogLevel ll) { void defaultLogFunctionf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy string msg, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.memLogFunctions!(ll).logImplf!(line, file, funcName, prettyFuncName, moduleName)(msg, args); } } void defaultLogFunctionf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) { stdThreadLocalLog.memLogFunctions!(ll).logImplf!(line, file, funcName, prettyFuncName, moduleName)(condition, msg, args); } } } /** This function logs data to the $(D sharedLog) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D sharedLog) and must be greater or equal than the global $(D LogLevel). Additionally the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D stdSharedLogger). Params: msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- tracef("is number %d", 1); infof("is number %d", 2); errorf("is number %d", 3); criticalf("is number %d", 4); fatalf("is number %d", 5); -------------------- The second version of the function logs data to the $(D sharedLog) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D sharedLog) and must be greater or equal than the global $(D LogLevel). Additionally the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the $(D stdSharedLogger). Params: condition = The condition must be $(D true) for the data to be logged. msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- tracef(false, "is number %d", 1); infof(false, "is number %d", 2); errorf(true, "is number %d", 3); criticalf(true, "is number %d", 4); fatalf(someFunct(), "is number %d", 5); -------------------- */ alias tracef = defaultLogFunctionf!(LogLevel.trace); /// Ditto alias infof = defaultLogFunctionf!(LogLevel.info); /// Ditto alias warningf = defaultLogFunctionf!(LogLevel.warning); /// Ditto alias errorf = defaultLogFunctionf!(LogLevel.error); /// Ditto alias criticalf = defaultLogFunctionf!(LogLevel.critical); /// Ditto alias fatalf = defaultLogFunctionf!(LogLevel.fatal); private struct MsgRange { import std.traits : isSomeString, isSomeChar; private Logger log; private char[] buffer; this(Logger log) @safe { this.log = log; } void put(T)(T msg) @safe if (isSomeString!T) { log.logMsgPart(msg); } void put(dchar elem) @safe { import std.utf : encode; encode(this.buffer, elem); log.logMsgPart(this.buffer); } } private void formatString(A...)(MsgRange oRange, A args) { import std.format : formattedWrite; foreach (arg; args) { formattedWrite(oRange, "%s", arg); } } @system unittest { void dummy() @safe { auto tl = new TestLogger(); auto dst = MsgRange(tl); formatString(dst, "aaa", "bbb"); } dummy(); } /** There are eight usable logging level. These level are $(I all), $(I trace), $(I info), $(I warning), $(I error), $(I critical), $(I fatal), and $(I off). If a log function with $(D LogLevel.fatal) is called the shutdown handler of that logger is called. */ enum LogLevel : ubyte { all = 1, /** Lowest possible assignable $(D LogLevel). */ trace = 32, /** $(D LogLevel) for tracing the execution of the program. */ info = 64, /** This level is used to display information about the program. */ warning = 96, /** warnings about the program should be displayed with this level. */ error = 128, /** Information about errors should be logged with this level.*/ critical = 160, /** Messages that inform about critical errors should be logged with this level. */ fatal = 192, /** Log messages that describe fatal errors should use this level. */ off = ubyte.max /** Highest possible $(D LogLevel). */ } /** This class is the base of every logger. In order to create a new kind of logger a deriving class needs to implement the $(D writeLogMsg) method. By default this is not thread-safe. It is also possible to $(D override) the three methods $(D beginLogMsg), $(D logMsgPart) and $(D finishLogMsg) together, this option gives more flexibility. */ abstract class Logger { import std.array : appender, Appender; import std.concurrency : thisTid, Tid; /** LogEntry is a aggregation combining all information associated with a log message. This aggregation will be passed to the method writeLogMsg. */ protected struct LogEntry { /// the filename the log function was called from string file; /// the line number the log function was called from int line; /// the name of the function the log function was called from string funcName; /// the pretty formatted name of the function the log function was /// called from string prettyFuncName; /// the name of the module the log message is coming from string moduleName; /// the $(D LogLevel) associated with the log message LogLevel logLevel; /// thread id of the log message Tid threadId; /// the time the message was logged SysTime timestamp; /// the message of the log message string msg; /// A refernce to the $(D Logger) used to create this $(D LogEntry) Logger logger; } /** Every subclass of `Logger` has to call this constructor from their constructor. It sets the `LogLevel`, and creates a fatal handler. The fatal handler will throw an `Error` if a log call is made with level `LogLevel.fatal`. Params: lv = `LogLevel` to use for this `Logger` instance. */ this(LogLevel lv) @safe { this.logLevel_ = lv; this.fatalHandler_ = delegate() { throw new Error("A fatal log message was logged"); }; this.mutex = new Mutex(); } /** A custom logger must implement this method in order to work in a $(D MultiLogger) and $(D ArrayLogger). Params: payload = All information associated with call to log function. See_Also: beginLogMsg, logMsgPart, finishLogMsg */ abstract protected void writeLogMsg(ref LogEntry payload) @safe; /* The default implementation will use an $(D std.array.appender) internally to construct the message string. This means dynamic, GC memory allocation. A logger can avoid this allocation by reimplementing $(D beginLogMsg), $(D logMsgPart) and $(D finishLogMsg). $(D beginLogMsg) is always called first, followed by any number of calls to $(D logMsgPart) and one call to $(D finishLogMsg). As an example for such a custom $(D Logger) compare this: ---------------- class CLogger : Logger { override void beginLogMsg(string file, int line, string funcName, string prettyFuncName, string moduleName, LogLevel logLevel, Tid threadId, SysTime timestamp) { ... logic here } override void logMsgPart(const(char)[] msg) { ... logic here } override void finishLogMsg() { ... logic here } void writeLogMsg(ref LogEntry payload) { this.beginLogMsg(payload.file, payload.line, payload.funcName, payload.prettyFuncName, payload.moduleName, payload.logLevel, payload.threadId, payload.timestamp, payload.logger); this.logMsgPart(payload.msg); this.finishLogMsg(); } } ---------------- */ protected void beginLogMsg(string file, int line, string funcName, string prettyFuncName, string moduleName, LogLevel logLevel, Tid threadId, SysTime timestamp, Logger logger) @safe { static if (isLoggingActive) { msgAppender = appender!string(); header = LogEntry(file, line, funcName, prettyFuncName, moduleName, logLevel, threadId, timestamp, null, logger); } } /** Logs a part of the log message. */ protected void logMsgPart(const(char)[] msg) @safe { static if (isLoggingActive) { msgAppender.put(msg); } } /** Signals that the message has been written and no more calls to $(D logMsgPart) follow. */ protected void finishLogMsg() @safe { static if (isLoggingActive) { header.msg = msgAppender.data; this.writeLogMsg(header); } } /** The $(D LogLevel) determines if the log call are processed or dropped by the $(D Logger). In order for the log call to be processed the $(D LogLevel) of the log call must be greater or equal to the $(D LogLevel) of the $(D logger). These two methods set and get the $(D LogLevel) of the used $(D Logger). Example: ----------- auto f = new FileLogger(stdout); f.logLevel = LogLevel.info; assert(f.logLevel == LogLevel.info); ----------- */ @property final LogLevel logLevel() const pure @safe @nogc { return trustedLoad(this.logLevel_); } /// Ditto @property final void logLevel(const LogLevel lv) @safe @nogc { synchronized (mutex) this.logLevel_ = lv; } /** This $(D delegate) is called in case a log message with $(D LogLevel.fatal) gets logged. By default an $(D Error) will be thrown. */ @property final void delegate() fatalHandler() @safe @nogc { synchronized (mutex) return this.fatalHandler_; } /// Ditto @property final void fatalHandler(void delegate() @safe fh) @safe @nogc { synchronized (mutex) this.fatalHandler_ = fh; } /** This method allows forwarding log entries from one logger to another. $(D forwardMsg) will ensure proper synchronization and then call $(D writeLogMsg). This is an API for implementing your own loggers and should not be called by normal user code. A notable difference from other logging functions is that the $(D globalLogLevel) wont be evaluated again since it is assumed that the caller already checked that. */ void forwardMsg(ref LogEntry payload) @trusted { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(payload.logLevel, this.logLevel_, globalLogLevel)) { this.writeLogMsg(payload); if (payload.logLevel == LogLevel.fatal) this.fatalHandler_(); } } } /** This template provides the log functions for the $(D Logger) $(D class) with the $(D LogLevel) encoded in the function name. For further information see the the two functions defined inside of this template. The aliases following this template create the public names of these log functions. */ template memLogFunctions(LogLevel ll) { /** This function logs data to the used $(D Logger). In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel). Params: args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.trace(1337, "is number"); s.info(1337, "is number"); s.error(1337, "is number"); s.critical(1337, "is number"); s.fatal(1337, "is number"); -------------------- */ void logImpl(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy A args) if (args.length == 0 || (args.length > 0 && !is(A[0] : bool))) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); static if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) depending on a condition. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel) additionally the condition passed must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.trace(true, 1337, "is number"); s.info(false, 1337, "is number"); s.error(true, 1337, "is number"); s.critical(false, 1337, "is number"); s.fatal(true, 1337, "is number"); -------------------- */ void logImpl(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); static if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel) additionally the passed condition must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stderr); s.tracef(true, "is number %d", 1); s.infof(true, "is number %d", 2); s.errorf(false, "is number %d", 3); s.criticalf(someFunc(), "is number %d", 4); s.fatalf(true, "is number %d", 5); -------------------- */ void logImplf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); static if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel). Params: msg = The $(D printf)-style string. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stderr); s.tracef("is number %d", 1); s.infof("is number %d", 2); s.errorf("is number %d", 3); s.criticalf("is number %d", 4); s.fatalf("is number %d", 5); -------------------- */ void logImplf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy string msg, lazy A args) { static if (isLoggingActiveAt!ll && ll >= moduleLogLevel!moduleName) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); static if (ll == LogLevel.fatal) this.fatalHandler_(); } } } } /// Ditto alias trace = memLogFunctions!(LogLevel.trace).logImpl; /// Ditto alias tracef = memLogFunctions!(LogLevel.trace).logImplf; /// Ditto alias info = memLogFunctions!(LogLevel.info).logImpl; /// Ditto alias infof = memLogFunctions!(LogLevel.info).logImplf; /// Ditto alias warning = memLogFunctions!(LogLevel.warning).logImpl; /// Ditto alias warningf = memLogFunctions!(LogLevel.warning).logImplf; /// Ditto alias error = memLogFunctions!(LogLevel.error).logImpl; /// Ditto alias errorf = memLogFunctions!(LogLevel.error).logImplf; /// Ditto alias critical = memLogFunctions!(LogLevel.critical).logImpl; /// Ditto alias criticalf = memLogFunctions!(LogLevel.critical).logImplf; /// Ditto alias fatal = memLogFunctions!(LogLevel.fatal).logImpl; /// Ditto alias fatalf = memLogFunctions!(LogLevel.fatal).logImplf; /** This method logs data with the $(D LogLevel) of the used $(D Logger). This method takes a $(D bool) as first argument. In order for the data to be processed the $(D bool) must be $(D true) and the $(D LogLevel) of the Logger must be greater or equal to the global $(D LogLevel). Params: args = The data that should be logged. condition = The condition must be $(D true) for the data to be logged. args = The data that is to be logged. Returns: The logger used by the logging function as reference. Example: -------------------- auto l = new StdioLogger(); l.log(1337); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy bool condition, lazy A args) if (args.length != 1) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /// Ditto void log(T, string moduleName = __MODULE__)(const LogLevel ll, lazy bool condition, lazy T args, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel, condition) && ll >= moduleLogLevel!moduleName) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) with a specific $(D LogLevel). In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel). Params: ll = The specific $(D LogLevel) used for logging the log message. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.log(LogLevel.trace, 1337, "is number"); s.log(LogLevel.info, 1337, "is number"); s.log(LogLevel.warning, 1337, "is number"); s.log(LogLevel.error, 1337, "is number"); s.log(LogLevel.fatal, 1337, "is number"); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy A args) if ((args.length > 1 && !is(Unqual!(A[0]) : bool)) || args.length == 0) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /// Ditto void log(T)(const LogLevel ll, lazy T args, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) depending on a explicitly passed condition with the $(D LogLevel) of the used $(D Logger). In order for the resulting log message to be logged the $(D LogLevel) of the used $(D Logger) must be greater or equal than the global $(D LogLevel) and the condition must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.log(true, 1337, "is number"); s.log(true, 1337, "is number"); s.log(true, 1337, "is number"); s.log(false, 1337, "is number"); s.log(false, 1337, "is number"); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy A args) if (args.length != 1) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } /// Ditto void log(T)(lazy bool condition, lazy T args, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) with the $(D LogLevel) of the used $(D Logger). In order for the resulting log message to be logged the $(D LogLevel) of the used $(D Logger) must be greater or equal than the global $(D LogLevel). Params: args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.log(1337, "is number"); s.log(info, 1337, "is number"); s.log(1337, "is number"); s.log(1337, "is number"); s.log(1337, "is number"); -------------------- */ void log(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy A args) if ((args.length > 1 && !is(Unqual!(A[0]) : bool) && !is(Unqual!(A[0]) == LogLevel)) || args.length == 0) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, args); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } /// Ditto void log(T)(lazy T arg, int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__) { static if (isLoggingActive) synchronized (mutex) { if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formatString(writer, arg); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) with a specific $(D LogLevel) and depending on a condition in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel) and the condition must be $(D true). Params: ll = The specific $(D LogLevel) used for logging the log message. condition = The condition must be $(D true) for the data to be logged. msg = The format string used for this log call. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.logf(LogLevel.trace, true ,"%d %s", 1337, "is number"); s.logf(LogLevel.info, true ,"%d %s", 1337, "is number"); s.logf(LogLevel.warning, true ,"%d %s", 1337, "is number"); s.logf(LogLevel.error, false ,"%d %s", 1337, "is number"); s.logf(LogLevel.fatal, true ,"%d %s", 1337, "is number"); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActive) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) with a specific $(D LogLevel) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) must be greater or equal than the $(D LogLevel) of the used $(D Logger) and must be greater or equal than the global $(D LogLevel). Params: ll = The specific $(D LogLevel) used for logging the log message. msg = The format string used for this log call. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.logf(LogLevel.trace, "%d %s", 1337, "is number"); s.logf(LogLevel.info, "%d %s", 1337, "is number"); s.logf(LogLevel.warning, "%d %s", 1337, "is number"); s.logf(LogLevel.error, "%d %s", 1337, "is number"); s.logf(LogLevel.fatal, "%d %s", 1337, "is number"); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(const LogLevel ll, lazy string msg, lazy A args) { static if (isLoggingActive) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(ll, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, ll, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); if (ll == LogLevel.fatal) this.fatalHandler_(); } } } /** This function logs data to the used $(D Logger) depending on a condition with the $(D LogLevel) of the used $(D Logger) in a $(D printf)-style manner. In order for the resulting log message to be logged the $(D LogLevel) of the used $(D Logger) must be greater or equal than the global $(D LogLevel) and the condition must be $(D true). Params: condition = The condition must be $(D true) for the data to be logged. msg = The format string used for this log call. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.logf(true ,"%d %s", 1337, "is number"); s.logf(true ,"%d %s", 1337, "is number"); s.logf(true ,"%d %s", 1337, "is number"); s.logf(false ,"%d %s", 1337, "is number"); s.logf(true ,"%d %s", 1337, "is number"); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy bool condition, lazy string msg, lazy A args) { static if (isLoggingActive) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel, condition)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } /** This method logs data to the used $(D Logger) with the $(D LogLevel) of the this $(D Logger) in a $(D printf)-style manner. In order for the data to be processed the $(D LogLevel) of the $(D Logger) must be greater or equal to the global $(D LogLevel). Params: msg = The format string used for this log call. args = The data that should be logged. Example: -------------------- auto s = new FileLogger(stdout); s.logf("%d %s", 1337, "is number"); s.logf("%d %s", 1337, "is number"); s.logf("%d %s", 1337, "is number"); s.logf("%d %s", 1337, "is number"); s.logf("%d %s", 1337, "is number"); -------------------- */ void logf(int line = __LINE__, string file = __FILE__, string funcName = __FUNCTION__, string prettyFuncName = __PRETTY_FUNCTION__, string moduleName = __MODULE__, A...)(lazy string msg, lazy A args) { static if (isLoggingActive) synchronized (mutex) { import std.format : formattedWrite; if (isLoggingEnabled(this.logLevel_, this.logLevel_, globalLogLevel)) { this.beginLogMsg(file, line, funcName, prettyFuncName, moduleName, this.logLevel_, thisTid, Clock.currTime, this); auto writer = MsgRange(this); formattedWrite(writer, msg, args); this.finishLogMsg(); if (this.logLevel_ == LogLevel.fatal) this.fatalHandler_(); } } } private void delegate() @safe fatalHandler_; private shared LogLevel logLevel_ = LogLevel.info; private Mutex mutex; protected Appender!string msgAppender; protected LogEntry header; } // Thread Global private __gshared Mutex stdSharedLoggerMutex; private __gshared Logger stdSharedDefaultLogger; private shared Logger stdSharedLogger; private shared LogLevel stdLoggerGlobalLogLevel = LogLevel.all; /* This method returns the global default Logger. * Marked @trusted because of excessive reliance on __gshared data */ private @property Logger defaultSharedLoggerImpl() @trusted { import std.conv : emplace; import std.stdio : stderr; static __gshared ubyte[__traits(classInstanceSize, FileLogger)] _buffer; synchronized (stdSharedLoggerMutex) { auto buffer = cast(ubyte[]) _buffer; if (stdSharedDefaultLogger is null) { stdSharedDefaultLogger = emplace!FileLogger(buffer, stderr, LogLevel.all); } } return stdSharedDefaultLogger; } /** This property sets and gets the default $(D Logger). Example: ------------- sharedLog = new FileLogger(yourFile); ------------- The example sets a new $(D FileLogger) as new $(D sharedLog). If at some point you want to use the original default logger again, you can use $(D sharedLog = null;). This will put back the original. Note: While getting and setting $(D sharedLog) is thread-safe, it has to be considered that the returned reference is only a current snapshot and in the following code, you must make sure no other thread reassigns to it between reading and writing $(D sharedLog). ------------- if (sharedLog !is myLogger) sharedLog = new myLogger; ------------- */ @property Logger sharedLog() @safe { static auto trustedLoad(ref shared Logger logger) @trusted { import core.atomic : atomicLoad, MemoryOrder; return atomicLoad!(MemoryOrder.acq)(logger); } // If we have set up our own logger use that if (auto logger = trustedLoad(stdSharedLogger)) { return logger; } else { // Otherwise resort to the default logger return defaultSharedLoggerImpl; } } /// Ditto @property void sharedLog(Logger logger) @trusted { import core.atomic : atomicStore, MemoryOrder; atomicStore!(MemoryOrder.rel)(stdSharedLogger, cast(shared) logger); } /** This methods get and set the global $(D LogLevel). Every log message with a $(D LogLevel) lower as the global $(D LogLevel) will be discarded before it reaches $(D writeLogMessage) method of any $(D Logger). */ /* Implementation note: For any public logging call, the global log level shall only be queried once on entry. Otherwise when another threads changes the level, we would work with different levels at different spots in the code. */ @property LogLevel globalLogLevel() @safe @nogc { return trustedLoad(stdLoggerGlobalLogLevel); } /// Ditto @property void globalLogLevel(LogLevel ll) @safe { trustedStore(stdLoggerGlobalLogLevel, ll); } // Thread Local /** The $(D StdForwardLogger) will always forward anything to the sharedLog. The $(D StdForwardLogger) will not throw if data is logged with $(D LogLevel.fatal). */ class StdForwardLogger : Logger { /** The default constructor for the $(D StdForwardLogger). Params: lv = The $(D LogLevel) for the $(D MultiLogger). By default the $(D LogLevel) is $(D all). */ this(const LogLevel lv = LogLevel.all) @safe { super(lv); this.fatalHandler = delegate() {}; } override protected void writeLogMsg(ref LogEntry payload) { sharedLog.forwardMsg(payload); } } /// @safe unittest { auto nl1 = new StdForwardLogger(LogLevel.all); } /** This $(D LogLevel) is unqiue to every thread. The thread local $(D Logger) will use this $(D LogLevel) to filter log calls every same way as presented earlier. */ //public LogLevel threadLogLevel = LogLevel.all; private Logger stdLoggerThreadLogger; private Logger stdLoggerDefaultThreadLogger; /* This method returns the thread local default Logger. */ private @property Logger stdThreadLocalLogImpl() @trusted { import std.conv : emplace; static ubyte[__traits(classInstanceSize, StdForwardLogger)] _buffer; auto buffer = cast(ubyte[]) _buffer; if (stdLoggerDefaultThreadLogger is null) { stdLoggerDefaultThreadLogger = emplace!StdForwardLogger(buffer, LogLevel.all); } return stdLoggerDefaultThreadLogger; } /** This function returns a thread unique $(D Logger), that by default propergates all data logged to it to the $(D sharedLog). These properties can be used to set and get this $(D Logger). Every modification to this $(D Logger) will only be visible in the thread the modification has been done from. This $(D Logger) is called by the free standing log functions. This allows to create thread local redirections and still use the free standing log functions. */ @property Logger stdThreadLocalLog() @safe { // If we have set up our own logger use that if (auto logger = stdLoggerThreadLogger) return logger; else // Otherwise resort to the default logger return stdThreadLocalLogImpl; } /// Ditto @property void stdThreadLocalLog(Logger logger) @safe { stdLoggerThreadLogger = logger; } /// Ditto @system unittest { import std.experimental.logger.filelogger : FileLogger; import std.file : deleteme, remove; Logger l = stdThreadLocalLog; stdThreadLocalLog = new FileLogger(deleteme ~ "-someFile.log"); scope(exit) remove(deleteme ~ "-someFile.log"); auto tempLog = stdThreadLocalLog; stdThreadLocalLog = l; destroy(tempLog); } @safe unittest { LogLevel ll = globalLogLevel; globalLogLevel = LogLevel.fatal; assert(globalLogLevel == LogLevel.fatal); globalLogLevel = ll; } package class TestLogger : Logger { int line = -1; string file = null; string func = null; string prettyFunc = null; string msg = null; LogLevel lvl; this(const LogLevel lv = LogLevel.all) @safe { super(lv); } override protected void writeLogMsg(ref LogEntry payload) @safe { this.line = payload.line; this.file = payload.file; this.func = payload.funcName; this.prettyFunc = payload.prettyFuncName; this.lvl = payload.logLevel; this.msg = payload.msg; } } version(unittest) private void testFuncNames(Logger logger) @safe { string s = "I'm here"; logger.log(s); } @safe unittest { auto tl1 = new TestLogger(); testFuncNames(tl1); assert(tl1.func == "std.experimental.logger.core.testFuncNames", tl1.func); assert(tl1.prettyFunc == "void std.experimental.logger.core.testFuncNames(Logger logger) @safe", tl1.prettyFunc); assert(tl1.msg == "I'm here", tl1.msg); } @safe unittest { auto tl1 = new TestLogger(LogLevel.all); tl1.log(); assert(tl1.line == __LINE__ - 1); tl1.log(true); assert(tl1.line == __LINE__ - 1); tl1.log(false); assert(tl1.line == __LINE__ - 3); tl1.log(LogLevel.info); assert(tl1.line == __LINE__ - 1); tl1.log(LogLevel.off); assert(tl1.line == __LINE__ - 3); tl1.log(LogLevel.info, true); assert(tl1.line == __LINE__ - 1); tl1.log(LogLevel.info, false); assert(tl1.line == __LINE__ - 3); auto oldunspecificLogger = sharedLog; scope(exit) { sharedLog = oldunspecificLogger; } sharedLog = tl1; log(); assert(tl1.line == __LINE__ - 1); log(LogLevel.info); assert(tl1.line == __LINE__ - 1); log(true); assert(tl1.line == __LINE__ - 1); log(LogLevel.warning, true); assert(tl1.line == __LINE__ - 1); trace(); assert(tl1.line == __LINE__ - 1); } @safe unittest { import std.experimental.logger.multilogger : MultiLogger; auto tl1 = new TestLogger; auto tl2 = new TestLogger; auto ml = new MultiLogger(); ml.insertLogger("one", tl1); ml.insertLogger("two", tl2); string msg = "Hello Logger World"; ml.log(msg); int lineNumber = __LINE__ - 1; assert(tl1.msg == msg); assert(tl1.line == lineNumber); assert(tl2.msg == msg); assert(tl2.line == lineNumber); ml.removeLogger("one"); ml.removeLogger("two"); auto n = ml.removeLogger("one"); assert(n is null); } @safe unittest { bool errorThrown = false; auto tl = new TestLogger; auto dele = delegate() { errorThrown = true; }; tl.fatalHandler = dele; tl.fatal(); assert(errorThrown); } @safe unittest { import std.conv : to; import std.exception : assertThrown, assertNotThrown; import std.format : format; auto l = new TestLogger(LogLevel.all); string msg = "Hello Logger World"; l.log(msg); int lineNumber = __LINE__ - 1; assert(l.msg == msg); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); l.log(true, msg); lineNumber = __LINE__ - 1; assert(l.msg == msg, l.msg); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); l.log(false, msg); assert(l.msg == msg); assert(l.line == lineNumber, to!string(l.line)); assert(l.logLevel == LogLevel.all); msg = "%s Another message"; l.logf(msg, "Yet"); lineNumber = __LINE__ - 1; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); l.logf(true, msg, "Yet"); lineNumber = __LINE__ - 1; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); l.logf(false, msg, "Yet"); assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); () @trusted { assertThrown!Throwable(l.logf(LogLevel.fatal, msg, "Yet")); } (); lineNumber = __LINE__ - 2; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); () @trusted { assertThrown!Throwable(l.logf(LogLevel.fatal, true, msg, "Yet")); } (); lineNumber = __LINE__ - 2; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); assertNotThrown(l.logf(LogLevel.fatal, false, msg, "Yet")); assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); auto oldunspecificLogger = sharedLog; assert(oldunspecificLogger.logLevel == LogLevel.all, to!string(oldunspecificLogger.logLevel)); assert(l.logLevel == LogLevel.all); sharedLog = l; assert(globalLogLevel == LogLevel.all, to!string(globalLogLevel)); scope(exit) { sharedLog = oldunspecificLogger; } assert(sharedLog.logLevel == LogLevel.all); assert(stdThreadLocalLog.logLevel == LogLevel.all); assert(globalLogLevel == LogLevel.all); msg = "Another message"; log(msg); lineNumber = __LINE__ - 1; assert(l.logLevel == LogLevel.all); assert(l.line == lineNumber, to!string(l.line)); assert(l.msg == msg, l.msg); log(true, msg); lineNumber = __LINE__ - 1; assert(l.msg == msg); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); log(false, msg); assert(l.msg == msg); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); msg = "%s Another message"; logf(msg, "Yet"); lineNumber = __LINE__ - 1; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); logf(true, msg, "Yet"); lineNumber = __LINE__ - 1; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); logf(false, msg, "Yet"); assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); msg = "%s Another message"; () @trusted { assertThrown!Throwable(logf(LogLevel.fatal, msg, "Yet")); } (); lineNumber = __LINE__ - 2; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); () @trusted { assertThrown!Throwable(logf(LogLevel.fatal, true, msg, "Yet")); } (); lineNumber = __LINE__ - 2; assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); assertNotThrown(logf(LogLevel.fatal, false, msg, "Yet")); assert(l.msg == msg.format("Yet")); assert(l.line == lineNumber); assert(l.logLevel == LogLevel.all); } @system unittest // default logger { import std.file : deleteme, exists, remove; import std.stdio : File; import std.string : indexOf; string filename = deleteme ~ __FUNCTION__ ~ ".tempLogFile"; FileLogger l = new FileLogger(filename); auto oldunspecificLogger = sharedLog; sharedLog = l; scope(exit) { remove(filename); assert(!exists(filename)); sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } string notWritten = "this should not be written to file"; string written = "this should be written to file"; globalLogLevel = LogLevel.critical; assert(globalLogLevel == LogLevel.critical); log(LogLevel.warning, notWritten); log(LogLevel.critical, written); l.file.flush(); l.file.close(); auto file = File(filename, "r"); assert(!file.eof); string readLine = file.readln(); assert(readLine.indexOf(written) != -1, readLine); assert(readLine.indexOf(notWritten) == -1, readLine); file.close(); } @system unittest { import std.file : deleteme, remove; import std.stdio : File; import std.string : indexOf; string filename = deleteme ~ __FUNCTION__ ~ ".tempLogFile"; auto oldunspecificLogger = sharedLog; scope(exit) { remove(filename); sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } string notWritten = "this should not be written to file"; string written = "this should be written to file"; auto l = new FileLogger(filename); sharedLog = l; sharedLog.logLevel = LogLevel.critical; log(LogLevel.error, false, notWritten); log(LogLevel.critical, true, written); destroy(l); auto file = File(filename, "r"); auto readLine = file.readln(); assert(!readLine.empty, readLine); assert(readLine.indexOf(written) != -1); assert(readLine.indexOf(notWritten) == -1); file.close(); } @safe unittest { import std.conv : to; auto tl = new TestLogger(LogLevel.all); int l = __LINE__; tl.info("a"); assert(tl.line == l+1); assert(tl.msg == "a"); assert(tl.logLevel == LogLevel.all); assert(globalLogLevel == LogLevel.all); l = __LINE__; tl.trace("b"); assert(tl.msg == "b", tl.msg); assert(tl.line == l+1, to!string(tl.line)); } // testing possible log conditions @safe unittest { import std.conv : to; import std.string : indexOf; import std.format : format; auto oldunspecificLogger = sharedLog; auto mem = new TestLogger; mem.fatalHandler = delegate() {}; sharedLog = mem; scope(exit) { sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } int value = 0; foreach (gll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { globalLogLevel = gll; foreach (ll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { mem.logLevel = ll; foreach (cond; [true, false]) { foreach (condValue; [true, false]) { foreach (memOrG; [true, false]) { foreach (prntf; [true, false]) { foreach (ll2; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { foreach (singleMulti; 0 .. 2) { int lineCall; mem.msg = "-1"; if (memOrG) { if (prntf) { if (cond) { if (singleMulti == 0) { mem.logf(ll2, condValue, "%s", value); lineCall = __LINE__; } else { mem.logf(ll2, condValue, "%d %d", value, value); lineCall = __LINE__; } } else { if (singleMulti == 0) { mem.logf(ll2, "%s", value); lineCall = __LINE__; } else { mem.logf(ll2, "%d %d", value, value); lineCall = __LINE__; } } } else { if (cond) { if (singleMulti == 0) { mem.log(ll2, condValue, to!string(value)); lineCall = __LINE__; } else { mem.log(ll2, condValue, to!string(value), value); lineCall = __LINE__; } } else { if (singleMulti == 0) { mem.log(ll2, to!string(value)); lineCall = __LINE__; } else { mem.log(ll2, to!string(value), value); lineCall = __LINE__; } } } } else { if (prntf) { if (cond) { if (singleMulti == 0) { logf(ll2, condValue, "%s", value); lineCall = __LINE__; } else { logf(ll2, condValue, "%s %d", value, value); lineCall = __LINE__; } } else { if (singleMulti == 0) { logf(ll2, "%s", value); lineCall = __LINE__; } else { logf(ll2, "%s %s", value, value); lineCall = __LINE__; } } } else { if (cond) { if (singleMulti == 0) { log(ll2, condValue, to!string(value)); lineCall = __LINE__; } else { log(ll2, condValue, value, to!string(value)); lineCall = __LINE__; } } else { if (singleMulti == 0) { log(ll2, to!string(value)); lineCall = __LINE__; } else { log(ll2, value, to!string(value)); lineCall = __LINE__; } } } } string valueStr = to!string(value); ++value; bool ll2Off = (ll2 != LogLevel.off); bool gllOff = (gll != LogLevel.off); bool llOff = (ll != LogLevel.off); bool condFalse = (cond ? condValue : true); bool ll2VSgll = (ll2 >= gll); bool ll2VSll = (ll2 >= ll); bool shouldLog = ll2Off && gllOff && llOff && condFalse && ll2VSgll && ll2VSll; /* writefln( "go(%b) ll2o(%b) c(%b) lg(%b) ll(%b) s(%b)" , gll != LogLevel.off, ll2 != LogLevel.off, cond ? condValue : true, ll2 >= gll, ll2 >= ll, shouldLog); */ if (shouldLog) { assert(mem.msg.indexOf(valueStr) != -1, format( "lineCall(%d) ll2Off(%u) gll(%u) ll(%u) ll2(%u) " ~ "cond(%b) condValue(%b)" ~ " memOrG(%b) shouldLog(%b) %s == %s" ~ " %b %b %b %b %b", lineCall, ll2Off, gll, ll, ll2, cond, condValue, memOrG, shouldLog, mem.msg, valueStr, gllOff, llOff, condFalse, ll2VSgll, ll2VSll )); } else { assert(mem.msg.indexOf(valueStr), format( "lineCall(%d) ll2Off(%u) gll(%u) ll(%u) ll2(%u) " ~ "cond(%b) condValue(%b)" ~ " memOrG(%b) shouldLog(%b) %s == %s" ~ " %b %b %b %b %b", lineCall, ll2Off, gll, ll, ll2, cond, condValue, memOrG, shouldLog, mem.msg, valueStr, gllOff, llOff, condFalse, ll2VSgll, ll2VSll )); } } } } } } } } } } // more testing @safe unittest { import std.conv : to; import std.format : format; import std.string : indexOf; auto oldunspecificLogger = sharedLog; auto mem = new TestLogger; mem.fatalHandler = delegate() {}; sharedLog = mem; scope(exit) { sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } int value = 0; foreach (gll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { globalLogLevel = gll; foreach (ll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { mem.logLevel = ll; foreach (tll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { stdThreadLocalLog.logLevel = tll; foreach (cond; [true, false]) { foreach (condValue; [true, false]) { foreach (memOrG; [true, false]) { foreach (prntf; [true, false]) { foreach (singleMulti; 0 .. 2) { int lineCall; mem.msg = "-1"; if (memOrG) { if (prntf) { if (cond) { if (singleMulti == 0) { mem.logf(condValue, "%s", value); lineCall = __LINE__; } else { mem.logf(condValue, "%d %d", value, value); lineCall = __LINE__; } } else { if (singleMulti == 0) { mem.logf("%s", value); lineCall = __LINE__; } else { mem.logf("%d %d", value, value); lineCall = __LINE__; } } } else { if (cond) { if (singleMulti == 0) { mem.log(condValue, to!string(value)); lineCall = __LINE__; } else { mem.log(condValue, to!string(value), value); lineCall = __LINE__; } } else { if (singleMulti == 0) { mem.log(to!string(value)); lineCall = __LINE__; } else { mem.log(to!string(value), value); lineCall = __LINE__; } } } } else { if (prntf) { if (cond) { if (singleMulti == 0) { logf(condValue, "%s", value); lineCall = __LINE__; } else { logf(condValue, "%s %d", value, value); lineCall = __LINE__; } } else { if (singleMulti == 0) { logf("%s", value); lineCall = __LINE__; } else { logf("%s %s", value, value); lineCall = __LINE__; } } } else { if (cond) { if (singleMulti == 0) { log(condValue, to!string(value)); lineCall = __LINE__; } else { log(condValue, value, to!string(value)); lineCall = __LINE__; } } else { if (singleMulti == 0) { log(to!string(value)); lineCall = __LINE__; } else { log(value, to!string(value)); lineCall = __LINE__; } } } } string valueStr = to!string(value); ++value; bool gllOff = (gll != LogLevel.off); bool llOff = (ll != LogLevel.off); bool tllOff = (tll != LogLevel.off); bool llVSgll = (ll >= gll); bool tllVSll = (stdThreadLocalLog.logLevel >= ll); bool condFalse = (cond ? condValue : true); bool shouldLog = gllOff && llOff && (memOrG ? true : tllOff) && (memOrG ? (ll >= gll) : (tll >= gll && tll >= ll)) && condFalse; if (shouldLog) { assert(mem.msg.indexOf(valueStr) != -1, format("\ngll(%s) ll(%s) tll(%s) " ~ "cond(%s) condValue(%s) " ~ "memOrG(%s) prntf(%s) " ~ "singleMulti(%s)", gll, ll, tll, cond, condValue, memOrG, prntf, singleMulti) ~ format(" gllOff(%s) llOff(%s) " ~ "llVSgll(%s) tllVSll(%s) " ~ "tllOff(%s) condFalse(%s) " ~ "shoudlLog(%s)", gll != LogLevel.off, ll != LogLevel.off, llVSgll, tllVSll, tllOff, condFalse, shouldLog) ~ format("msg(%s) line(%s) " ~ "lineCall(%s) valueStr(%s)", mem.msg, mem.line, lineCall, valueStr) ); } else { assert(mem.msg.indexOf(valueStr) == -1, format("\ngll(%s) ll(%s) tll(%s) " ~ "cond(%s) condValue(%s) " ~ "memOrG(%s) prntf(%s) " ~ "singleMulti(%s)", gll, ll, tll, cond, condValue, memOrG, prntf, singleMulti) ~ format(" gllOff(%s) llOff(%s) " ~ "llVSgll(%s) tllVSll(%s) " ~ "tllOff(%s) condFalse(%s) " ~ "shoudlLog(%s)", gll != LogLevel.off, ll != LogLevel.off, llVSgll, tllVSll, tllOff, condFalse, shouldLog) ~ format("msg(%s) line(%s) " ~ "lineCall(%s) valueStr(%s)", mem.msg, mem.line, lineCall, valueStr) ); } } } } } } } } } } // testing more possible log conditions @safe unittest { bool fatalLog; auto mem = new TestLogger; mem.fatalHandler = delegate() { fatalLog = true; }; auto oldunspecificLogger = sharedLog; stdThreadLocalLog.logLevel = LogLevel.all; sharedLog = mem; scope(exit) { sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } foreach (gll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { globalLogLevel = gll; foreach (ll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { mem.logLevel = ll; foreach (tll; [cast(LogLevel) LogLevel.all, LogLevel.trace, LogLevel.info, LogLevel.warning, LogLevel.error, LogLevel.critical, LogLevel.fatal, LogLevel.off]) { stdThreadLocalLog.logLevel = tll; foreach (cond; [true, false]) { assert(globalLogLevel == gll); assert(mem.logLevel == ll); bool gllVSll = LogLevel.trace >= globalLogLevel; bool llVSgll = ll >= globalLogLevel; bool lVSll = LogLevel.trace >= ll; bool gllOff = globalLogLevel != LogLevel.off; bool llOff = mem.logLevel != LogLevel.off; bool tllOff = stdThreadLocalLog.logLevel != LogLevel.off; bool tllVSll = tll >= ll; bool tllVSgll = tll >= gll; bool lVSgll = LogLevel.trace >= tll; bool test = llVSgll && gllVSll && lVSll && gllOff && llOff && cond; bool testG = gllOff && llOff && tllOff && lVSgll && tllVSll && tllVSgll && cond; mem.line = -1; /* writefln("gll(%3u) ll(%3u) cond(%b) test(%b)", gll, ll, cond, test); writefln("%b %b %b %b %b %b test2(%b)", llVSgll, gllVSll, lVSll, gllOff, llOff, cond, test2); */ mem.trace(__LINE__); int line = __LINE__; assert(test ? mem.line == line : true); line = -1; trace(__LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.trace(cond, __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; trace(cond, __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.tracef("%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; tracef("%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.tracef(cond, "%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; tracef(cond, "%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; llVSgll = ll >= globalLogLevel; lVSll = LogLevel.info >= ll; lVSgll = LogLevel.info >= tll; test = llVSgll && gllVSll && lVSll && gllOff && llOff && cond; testG = gllOff && llOff && tllOff && tllVSll && tllVSgll && lVSgll && cond; mem.info(__LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; info(__LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.info(cond, __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; info(cond, __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.infof("%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; infof("%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.infof(cond, "%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; infof(cond, "%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; llVSgll = ll >= globalLogLevel; lVSll = LogLevel.warning >= ll; lVSgll = LogLevel.warning >= tll; test = llVSgll && gllVSll && lVSll && gllOff && llOff && cond; testG = gllOff && llOff && tllOff && tllVSll && tllVSgll && lVSgll && cond; mem.warning(__LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; warning(__LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.warning(cond, __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; warning(cond, __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.warningf("%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; warningf("%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.warningf(cond, "%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; warningf(cond, "%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; llVSgll = ll >= globalLogLevel; lVSll = LogLevel.critical >= ll; lVSgll = LogLevel.critical >= tll; test = llVSgll && gllVSll && lVSll && gllOff && llOff && cond; testG = gllOff && llOff && tllOff && tllVSll && tllVSgll && lVSgll && cond; mem.critical(__LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; critical(__LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.critical(cond, __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; critical(cond, __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.criticalf("%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; criticalf("%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; mem.criticalf(cond, "%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; criticalf(cond, "%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; llVSgll = ll >= globalLogLevel; lVSll = LogLevel.fatal >= ll; lVSgll = LogLevel.fatal >= tll; test = llVSgll && gllVSll && lVSll && gllOff && llOff && cond; testG = gllOff && llOff && tllOff && tllVSll && tllVSgll && lVSgll && cond; mem.fatal(__LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; assert(test ? fatalLog : true); fatalLog = false; fatal(__LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; assert(testG ? fatalLog : true); fatalLog = false; mem.fatal(cond, __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; assert(test ? fatalLog : true); fatalLog = false; fatal(cond, __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; assert(testG ? fatalLog : true); fatalLog = false; mem.fatalf("%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; assert(test ? fatalLog : true); fatalLog = false; fatalf("%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; assert(testG ? fatalLog : true); fatalLog = false; mem.fatalf(cond, "%d", __LINE__); line = __LINE__; assert(test ? mem.line == line : true); line = -1; assert(test ? fatalLog : true); fatalLog = false; fatalf(cond, "%d", __LINE__); line = __LINE__; assert(testG ? mem.line == line : true); line = -1; assert(testG ? fatalLog : true); fatalLog = false; } } } } } // Issue #5 @safe unittest { import std.string : indexOf; auto oldunspecificLogger = sharedLog; scope(exit) { sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } auto tl = new TestLogger(LogLevel.info); sharedLog = tl; trace("trace"); assert(tl.msg.indexOf("trace") == -1); } // Issue #5 @safe unittest { import std.experimental.logger.multilogger : MultiLogger; import std.string : indexOf; stdThreadLocalLog.logLevel = LogLevel.all; auto oldunspecificLogger = sharedLog; scope(exit) { sharedLog = oldunspecificLogger; globalLogLevel = LogLevel.all; } auto logger = new MultiLogger(LogLevel.error); auto tl = new TestLogger(LogLevel.info); logger.insertLogger("required", tl); sharedLog = logger; trace("trace"); assert(tl.msg.indexOf("trace") == -1); info("info"); assert(tl.msg.indexOf("info") == -1); error("error"); assert(tl.msg.indexOf("error") == 0); } @system unittest { import std.exception : assertThrown; auto tl = new TestLogger(); assertThrown!Throwable(tl.fatal("fatal")); } // log objects with non-safe toString @system unittest { struct Test { string toString() const @system { return "test"; } } auto tl = new TestLogger(); tl.info(Test.init); assert(tl.msg == "test"); } // Workaround for atomics not allowed in @safe code private auto trustedLoad(T)(ref shared T value) @trusted { import core.atomic : atomicLoad, MemoryOrder; return atomicLoad!(MemoryOrder.acq)(value); } // ditto private void trustedStore(T)(ref shared T dst, ref T src) @trusted { import core.atomic : atomicStore, MemoryOrder; atomicStore!(MemoryOrder.rel)(dst, src); } // check that thread-local logging does not propagate // to shared logger @system unittest { import std.concurrency, core.atomic, core.thread; static shared logged_count = 0; class TestLog : Logger { Tid tid; this() { super (LogLevel.trace); this.tid = thisTid; } override void writeLogMsg(ref LogEntry payload) @trusted { assert(thisTid == this.tid); atomicOp!"+="(logged_count, 1); } } class IgnoredLog : Logger { this() { super (LogLevel.trace); } override void writeLogMsg(ref LogEntry payload) @trusted { assert(false); } } auto oldSharedLog = sharedLog; scope(exit) { sharedLog = oldSharedLog; } sharedLog = new IgnoredLog; Thread[] spawned; foreach (i; 0 .. 4) { spawned ~= new Thread({ stdThreadLocalLog = new TestLog; trace("zzzzzzzzzz"); }); spawned[$-1].start(); } foreach (t; spawned) t.join(); assert(atomicOp!"=="(logged_count, 4)); } @safe unittest { auto dl = cast(FileLogger) sharedLog; assert(dl !is null); assert(dl.logLevel == LogLevel.all); assert(globalLogLevel == LogLevel.all); auto tl = cast(StdForwardLogger) stdThreadLocalLog; assert(tl !is null); stdThreadLocalLog.logLevel = LogLevel.all; } // Issue 14940 @safe unittest { import std.typecons : Nullable; Nullable!int a = 1; auto l = new TestLogger(); l.infof("log: %s", a); assert(l.msg == "log: 1"); } // Ensure @system toString methods work @system unittest { enum SystemToStringMsg = "SystemToString"; static struct SystemToString { string toString() @system { return SystemToStringMsg; } } auto tl = new TestLogger(); SystemToString sts; tl.logf("%s", sts); assert(tl.msg == SystemToStringMsg); }
D
// Copyright 2019 - 2021 Michael D. Parker // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // http://www.boost.org/LICENSE_1_0.txt) module bindbc.freetype.bind.ftgzip; import bindbc.freetype.config; import bindbc.freetype.bind.ftsystem, bindbc.freetype.bind.fttypes; static if(staticBinding) { extern(C) @nogc nothrow { FT_Error FT_Stream_OpenGzip(FT_Stream stream, FT_Stream source); FT_Error FT_Gzip_Uncompress(FT_Memory memory, FT_Byte* output, FT_ULong* output_len, const(FT_Byte)* input, FT_ULong input_len); } } else { extern(C) @nogc nothrow { alias da_FT_Stream_OpenGzip = FT_Error function(FT_Stream stream, FT_Stream source); alias da_FT_Gzip_Uncompress = FT_Error function(FT_Memory memory, FT_Byte* output, FT_ULong* output_len, const(FT_Byte)* input, FT_ULong input_len); } __gshared { da_FT_Stream_OpenGzip FT_Stream_OpenGzip; da_FT_Gzip_Uncompress FT_Gzip_Uncompress; } }
D
import qte5; import core.runtime; // Обработка входных параметров import std.stdio; // ================================================================= // Форма: Проверка QTextEdit // ================================================================= extern (C) { void onKn1(CTest* uk) { (*uk).runKn1(); } void onKn2(CTest* uk) { (*uk).runKn2(); } void onD(CTest* uk, int n, int ab) { (*uk).D(ab, n); } } class CTest : QFrame { QVBoxLayout vblAll; // Общий вертикальный выравниватель QHBoxLayout hb2; // Горизонтальный выравниватель QTextEdit edTextEdit; // Сам редактор для проверки QPushButton kn1, kn2; QAction acKn1, acKn2, acDes1, acDes2; QLineEdit lineEdit; // Строка строчного редактора QFrame view; ~this() { // printf("--20--\n"); stdout.flush(); } // ______________________________________________________________ // Конструктор по умолчанию this(QWidget parent, QtE.WindowType fl) { //-> Базовый конструктор super(parent, fl); // Горизонтальный и вертикальный выравниватели vblAll = new QVBoxLayout(null); // Главный выравниватель hb2 = new QHBoxLayout(null); // Горизонтальный выравниватель // Изготавливаем редактор edTextEdit = new QTextEdit(this); vblAll.addWidget(edTextEdit); lineEdit = new QLineEdit(this); lineEdit.setNoDelete(true); lineEdit.setText("Привет ребята ..."); lineEdit.setReadOnly(true); // Область изображения view = new QFrame(this); view.setMinimumHeight(200); setFrameShape( QFrame.Shape.Box ); view.setFrameShape( QFrame.Shape.Box ); view.setFrameShadow( QFrame.Shadow.Raised ); // view.setStyleSheet("background: Red"); // Кнопки kn1 = new QPushButton("Укажите имя файла:", this); kn2 = new QPushButton("Вторая кнопка", this); acKn1 = new QAction(this, &onKn1, aThis); connects(kn1, "clicked()", acKn1, "Slot()"); acKn2 = new QAction(this, &onKn2, aThis); connects(kn2, "clicked()", acKn2, "Slot()"); // Кнопки в выравниватель hb2.addWidget(kn1).addWidget(kn2); vblAll.addWidget(lineEdit).addWidget(view).addLayout(hb2); resize(700, 500); setWindowTitle("Проверка QTextEdit"); setLayout(vblAll); } // ______________________________________________________________ void D(int ab, int n) { writeln(n, "--------------------------------D---------------------->", ab); } // ______________________________________________________________ void runKn1() { //-> Обработка кнопки №1 writeln("this is Button 1"); // Запросить файл для редактирования и открыть редактор QFileDialog fileDlg = new QFileDialog('+', null); string cmd = fileDlg.getOpenFileNameSt("Open file ...", "", "*.d *.ini *.txt"); if(cmd != "") lineEdit.setText(cmd); } // ______________________________________________________________ void runKn2() { //-> Обработка кнопки №2 writeln("this is Button 2"); } } // ____________________________________________________________________ int main(string[] args) { bool fDebug = true; if (1 == LoadQt(dll.QtE5Widgets, fDebug)) return 1; QApplication app = new QApplication(&Runtime.cArgs.argc, Runtime.cArgs.argv, 1); CTest ct = new CTest(null, QtE.WindowType.Window); ct.show().saveThis(&ct); QEndApplication endApp = new QEndApplication('+', app.QtObj); return app.exec(); }
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_17_MobileMedia-4866677124.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_17_MobileMedia-4866677124.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Build/Monochrome21.build/Debug-iphoneos/Monochrome21.build/Objects-normal/arm64/AppDelegate.o : /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/AppDelegate.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/fromLeftToRightSegue.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/SwiftOnoneSupport.swiftmodule /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Build/Monochrome21.build/Debug-iphoneos/Monochrome21.build/Objects-normal/arm64/AppDelegate~partial.swiftmodule : /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/AppDelegate.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/fromLeftToRightSegue.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/SwiftOnoneSupport.swiftmodule /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Build/Monochrome21.build/Debug-iphoneos/Monochrome21.build/Objects-normal/arm64/AppDelegate~partial.swiftdoc : /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/AppDelegate.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/fromLeftToRightSegue.swift /Users/Gilgamesh/Documents/GitHub/LecNotes/Monochrome21/Monochrome21/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/SwiftOnoneSupport.swiftmodule
D
module nd; import std.range, std.functional; //Numerical differentiation public { /* Simple implementation of numerical differentiation */ T ND(T)(T function(T x) func, T h, T value){ return ((func(value + h) - func(value - h))/2 * h) * 100; } T ND2(T) (T function (T x) func, T h, T value){ return (func(value + h) - func(value))/h; } unittest { assert(ND2(1, 0.1, 5), 0); } }
D
/* TEST_OUTPUT: --- fail_compilation/test11176.d(12): Error: `b.ptr` cannot be used in `@safe` code, use `&b[0]` instead fail_compilation/test11176.d(16): Error: `b.ptr` cannot be used in `@safe` code, use `&b[0]` instead --- */ // https://issues.dlang.org/show_bug.cgi?id=11176 @safe ubyte oops(ubyte[] b) { return *b.ptr; } @safe ubyte oops(ubyte[3] b) { return *b.ptr; }
D
module UnrealScript.TribesGame.TrSeqAct_AIStartSkiing; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.SequenceAction; extern(C++) interface TrSeqAct_AIStartSkiing : SequenceAction { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrSeqAct_AIStartSkiing")); } private static __gshared TrSeqAct_AIStartSkiing mDefaultProperties; @property final static TrSeqAct_AIStartSkiing DefaultProperties() { mixin(MGDPC("TrSeqAct_AIStartSkiing", "TrSeqAct_AIStartSkiing TribesGame.Default__TrSeqAct_AIStartSkiing")); } }
D
/* xsh.d XOmB Native Shell */ module xsh; import Syscall = user.syscall; import console; import libos.keyboard; import user.keycodes; import libos.libdeepmajik.threadscheduler; import libos.fs.minfs; import user.ipc; void main() { Console.backcolor = Color.Black; Console.forecolor = Color.Green; MinFS.initialize(); printPrompt(); char[128] str; uint pos = 0; bool released; for(;;) { Key key = Keyboard.nextKey(released); if (!released) { if (key == Key.Return) { Console.putChar('\n'); if (pos != 0) { // interpret str interpret(str[0..pos]); } // print prompt printPrompt(); // go back to start pos = 0; } else if (key == Key.Backspace) { if (pos > 0) { Point pt; pt = Console.position; Console.position(pt.x-1, pt.y); Console.putChar(' '); Console.position(pt.x-1, pt.y); pos--; } } else { char translate = Keyboard.translateKey(key); if (translate != '\0' && pos < 128) { str[pos] = translate; Console.putChar(translate); pos++; } } } } Console.putString("Done"); } bool streq(char[] stra, char[] strb) { if (stra.length != strb.length) { return false; } foreach(size_t i, c; stra) { if (strb[i] != c) { return false; } } return true; } void printPrompt() { Console.putString("root@localhost:"); Console.putString(workingDirectory); Console.putString("$ "); } void interpret(char[] str) { char[] argument; char[][10] arguments; char[] cmd = str; int last = 0; int argc = 0; foreach(size_t i, c; str) { if (c == ' ') { if (argument is null) { argument = str[i+1..$]; cmd = str[0..i]; } if (argc < 10) { arguments[argc] = str[last..i]; argc++; } else { break; } last = i + 1; } } if (argc < 10) { arguments[argc] = str[last..$]; argc++; } if (streq(cmd, "clear")) { Console.clear(); } else if (streq(cmd, "pwd")) { // Print working directory Console.putString(workingDirectory); Console.putString("\n"); } else if (streq(cmd, "run")) { // Open the file, parse the ELF into a new address space, and execute if (argument.length > 0) { createArgumentPath(arguments[1]); AddressSpace child = Syscall.createAddressSpace(); File f = MinFS.open(argumentPath, AccessMode.User|AccessMode.Writable|AccessMode.Executable); if(f is null){Console.putString("Binary Not Found!\n"); return;} // trim path of or binary name for argv[0] int i = 0; foreach(j, ch; arguments[1]){ if(ch == '/'){ i = j; } } arguments[1] = arguments[1][(i+1)..$]; populateChild(arguments[1..argc], child, f); XombThread.yieldToAddressSpace(child,0); } } else if (streq(cmd, "exit")) { exit(0); } else if (streq(cmd, "fault")) { ubyte* foo = cast(ubyte*)0x0; *foo = 2; } else if (streq(cmd, "cd")) { // Change directory /* if (argument.length > 0) { // Directory Up? if (argument.length == 2 && argument[0] == '.' && argument[1] == '.') { // Go up a directory size_t pos = 0; foreach_reverse(size_t i, c; workingDirectory) { if (c == '/') { pos = i; break; } } if (pos == 0) { pos = 1; } workingDirectory = workingDirectory[0..pos]; return; } createArgumentPath(argument); // Determine if the directory is indeed a directory if (argumentPath.length != 1) { uint flags; if (exists(argumentPath, flags)) { if (flags & Directory.Mode.Directory) { // Is a directory, set working directory workingDirectorySpace[0 .. argumentPath.length] = argumentPathSpace[0 .. argumentPath.length]; workingDirectory = workingDirectorySpace[0 .. argumentPath.length]; } else { Console.putString("xsh: cd: Not a directory.\n"); return; } } else { Console.putString("xsh: cd: Path does not exist.\n"); return; } } }*/ } else { if (str.length > 0) { AddressSpace child = Syscall.createAddressSpace(); File infile = null, outfile = null; // XXX: really lame redirects if(argc > 2){ if(arguments[argc-2] == ">"){ outfile = MinFS.open(arguments[argc-1], AccessMode.Writable, true); argc -= 2; }else if(arguments[argc-2] == "<"){ infile = MinFS.open(arguments[argc-1], AccessMode.Read, true); argc -= 2; } } char[64] pathNameStorage; char[] pathName = pathNameStorage; pathName[0..10] = "/binaries/"; uint pathNameLength = 10; bool fallback = true; File f; uint idx; if(arguments[0][0] != '/'){ uint len = arguments[0].length < pathName.length - pathNameLength ? arguments[0].length : pathName.length - pathNameLength; char[] testPathName = pathName[0..(pathNameLength+len)]; testPathName[pathNameLength..(pathNameLength+len)] = arguments[0]; if(testPathName == MinFS.findPrefix(testPathName, idx)){ f = MinFS.open(testPathName, AccessMode.User|AccessMode.Writable|AccessMode.Executable); fallback = false; } } else { if(arguments[0] == MinFS.findPrefix(arguments[0], idx)){ f = MinFS.open(arguments[0], AccessMode.User|AccessMode.Writable|AccessMode.Executable); fallback = false; } } if(fallback){ f = MinFS.open("/binaries/posix", AccessMode.User|AccessMode.Writable|AccessMode.Executable); } assert(f !is null); populateChild(arguments[0..argc], child, f, infile, outfile); XombThread.yieldToAddressSpace(child,0); } } } /*bool exists(char[] path, out uint flags) { if (streq(path, "/")) { flags = Directory.Mode.Directory; return true; } size_t pos = path.length-1; foreach_reverse(size_t i, c; path) { if (c == '/') { pos = i; break; } } char[] dirpath = "/"; if (pos != 0) { dirpath = path[0..pos]; } Directory d = Directory.open(dirpath); char[] cmpName = path[pos+1..$]; bool found = false; foreach(DirectoryEntry dirent; d) { if (streq(cmpName, dirent.name)) { // Found the item found = true; flags = dirent.flags; break; } } d.close(); return found; }*/ void createArgumentPath(char[] argument) { int offset = 0; // Remove trailing slash if (argument[argument.length-1] == '/' && argument.length > 1) { argument.length = argument.length - 1; } // Determine if it is a relative path if (argument[0] != '/') { // Relative path offset = workingDirectory.length; argumentPathSpace[0] = '/'; } // Determine if it is the '.' if (argument.length == 1 && argument[0] == '.') { argument = workingDirectory; offset = 0; } // append to the working directory if (offset > 1) { argumentPathSpace[1 .. offset] = workingDirectorySpace[1 .. offset]; argumentPathSpace[offset] = '/'; offset++; } // Append the argument foreach(size_t i, c; argument) { argumentPathSpace[i+offset] = c; } argumentPath = argumentPathSpace[0..argument.length+offset]; } char[256] argumentPathSpace = "/"; char[] argumentPath = "/"; char[256] workingDirectorySpace = "/"; char[] workingDirectory = "/";
D
the act of shoving (giving a push to someone or something come into rough contact with while moving push roughly press or force
D
/mnt/c/Users/zeliwang/hello_world/digital_signature/target/debug/build/crunchy-f9183f588e866b4f/build_script_build-f9183f588e866b4f: /home/zeliwang/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/crunchy-0.2.2/build.rs /mnt/c/Users/zeliwang/hello_world/digital_signature/target/debug/build/crunchy-f9183f588e866b4f/build_script_build-f9183f588e866b4f.d: /home/zeliwang/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/crunchy-0.2.2/build.rs /home/zeliwang/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/crunchy-0.2.2/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', 'DerelictSDL', 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.sdl.rwops; private { import derelict.sdl.types; version(Tango) { import tango.stdc.stdio; } else { import std.c.stdio; } } //============================================================================== // TYPES //============================================================================== enum { RW_SEEK_SET = 0, RW_SEEK_CUR = 1, RW_SEEK_END = 2, } struct SDL_RWops { extern(C) { int (*seek)(SDL_RWops *context, int offset, int whence); int (*read)(SDL_RWops *context, void *ptr, int size, int maxnum); int (*write)(SDL_RWops *context, void *ptr, int size, int num); int (*close)(SDL_RWops *context); } Uint32 type; union Hidden { version(Windows) { struct Win32io { int append; void *h; } Win32io win32io; } struct Stdio { int autoclose; FILE *fp; } Stdio stdio; struct Mem { Uint8 *base; Uint8 *here; Uint8 *stop; } Mem mem; struct Unknown { void *data1; } Unknown unknown; } Hidden hidden; } //============================================================================== // MACROS //============================================================================== int SDL_RWseek(SDL_RWops *context, int offset, int whence) { return context.seek(context, offset, whence); } int SDL_RWtell(SDL_RWops *context) { return context.seek(context, 0, RW_SEEK_CUR); } int SDL_RWread(SDL_RWops *context, void *ptr, int size, int maxnum) { return context.read(context, ptr, size, maxnum); } int SDL_RWwrite(SDL_RWops *context, void *ptr, int size, int num) { return context.write(context, ptr, size, num); } int SDL_RWclose(SDL_RWops *context) { return context.close(context); } //============================================================================== // FUNCTIONS //============================================================================== extern(C): typedef SDL_RWops* function(char*,char*) pfSDL_RWFromFile; typedef SDL_RWops* function(FILE*,int) pfSDL_RWFromFP; typedef SDL_RWops* function(void*,int) pfSDL_RWFromMem; typedef SDL_RWops* function(void*,int) pfSDL_RWFromConstMem; typedef SDL_RWops* function() pfSDL_AllocRW; typedef void function(SDL_RWops*) pfSDL_FreeRW; pfSDL_RWFromFile SDL_RWFromFile; pfSDL_RWFromFP SDL_RWFromFP; pfSDL_RWFromMem SDL_RWFromMem; pfSDL_RWFromConstMem SDL_RWFromConstMem; pfSDL_AllocRW SDL_AllocRW; pfSDL_FreeRW SDL_FreeRW; typedef Uint16 function(SDL_RWops*) pfSDL_ReadLE16; typedef Uint16 function(SDL_RWops*) pfSDL_ReadBE16; typedef Uint32 function(SDL_RWops*) pfSDL_ReadLE32; typedef Uint32 function(SDL_RWops*) pfSDL_ReadBE32; typedef Uint64 function(SDL_RWops*) pfSDL_ReadLE64; typedef Uint64 function(SDL_RWops*) pfSDL_ReadBE64; typedef Uint16 function(SDL_RWops*,Uint16) pfSDL_WriteLE16; typedef Uint16 function(SDL_RWops*,Uint16) pfSDL_WriteBE16; typedef Uint32 function(SDL_RWops*,Uint32) pfSDL_WriteLE32; typedef Uint32 function(SDL_RWops*,Uint32) pfSDL_WriteBE32; typedef Uint64 function(SDL_RWops*,Uint64) pfSDL_WriteLE64; typedef Uint64 function(SDL_RWops*,Uint64) pfSDL_WriteBE64; pfSDL_ReadLE16 SDL_ReadLE16; pfSDL_ReadBE16 SDL_ReadBE16; pfSDL_ReadLE32 SDL_ReadLE32; pfSDL_ReadBE32 SDL_ReadBE32; pfSDL_ReadLE64 SDL_ReadLE64; pfSDL_ReadBE64 SDL_ReadBE64; pfSDL_WriteLE16 SDL_WriteLE16; pfSDL_WriteBE16 SDL_WriteBE16; pfSDL_WriteLE32 SDL_WriteLE32; pfSDL_WriteBE32 SDL_WriteBE32; pfSDL_WriteLE64 SDL_WriteLE64; pfSDL_WriteBE64 SDL_WriteBE64;
D
instance VLK_566_Buddler(Npc_Default) { name[0] = NAME_Buddler; npcType = Npctype_MINE_Ambient; guild = GIL_VLK; level = 4; voice = 3; id = 566; attribute[ATR_STRENGTH] = 20; attribute[ATR_DEXTERITY] = 10; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 88; attribute[ATR_HITPOINTS] = 88; Mdl_SetVisual(self,"HUMANS.MDS"); Mdl_ApplyOverlayMds(self,"Humans_Tired.mds"); Mdl_SetVisualBody(self,"hum_body_Naked0",3,2,"Hum_Head_Psionic",0,1,vlk_armor_l); B_Scale(self); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_COWARD; EquipItem(self,ItMw_1H_Nailmace_01); CreateInvItem(self,ItFoBeer); CreateInvItem(self,ItLsTorch); daily_routine = Rtn_start_566; }; func void Rtn_start_566() { TA_PickOre(23,0,6,0,"OM_CAVE3_04B"); TA_PickOre(6,0,23,0,"OM_CAVE3_04B"); };
D
module ut.common; import autowrap.common; import unit_threaded; @("toSnakeCase empty") @safe pure unittest { static assert("".toSnakeCase == ""); } @("toSnakeCase no caps") @safe pure unittest { static assert("foo".toSnakeCase == "foo"); } @("toSnakeCase camelCase") @safe pure unittest { static assert("toSnakeCase".toSnakeCase == "to_snake_case"); } @("toSnakeCase PascalCase") @safe pure unittest { static assert("PascalCase".toSnakeCase == "pascal_case"); } @("toSnakeCase ALLCAPS") @safe pure unittest { static assert("ALLCAPS".toSnakeCase == "ALLCAPS"); }
D
/** * Copyright: Copyright (c) 2016 Wojciech Szęszoł. All rights reserved. * Authors: Wojciech Szęszoł * Version: Initial created: Mar 21, 2016 * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0) */ module dstep.translator.Context; import clang.c.Index; import clang.Cursor; import clang.Index; import clang.SourceRange; import clang.TranslationUnit; import dstep.translator.CommentIndex; import dstep.translator.IncludeHandler; import dstep.translator.MacroDefinition; import dstep.translator.MacroIndex; import dstep.translator.Options; import dstep.translator.Output; import dstep.translator.Translator; import dstep.translator.TypedefIndex; import dstep.translator.HeaderIndex; class Context { public MacroIndex macroIndex; public TranslationUnit translUnit; private string[Cursor] anonymousNames; private bool[Cursor] alreadyDefined_; private IncludeHandler includeHandler_; private CommentIndex commentIndex_ = null; private TypedefIndex typedefIndex_ = null; private HeaderIndex headerIndex_ = null; private Translator translator_ = null; private Output globalScope_ = null; private Cursor[string] typeNames_; private Cursor[string] constNames_; private string[Cursor] translatedSpellings; Options options; const string source; public this(TranslationUnit translUnit, Options options, Translator translator = null) { this.translUnit = translUnit; macroIndex = new MacroIndex(translUnit); includeHandler_ = new IncludeHandler(headerIndex, options); foreach (item; options.globalImports) includeHandler_.addImport(item); foreach (item; options.publicGlobalImports) includeHandler_.addImport(item, Visibility.public_); this.options = options; if (options.enableComments) { auto location = macroIndex.includeGuardLocation; if (location[0]) commentIndex_ = new CommentIndex( translUnit, location[1]); else commentIndex_ = new CommentIndex(translUnit); } typedefIndex_ = new TypedefIndex(translUnit, options.isWantedCursorForTypedefs); if (translator !is null) translator_ = translator; else translator_ = new Translator(translUnit, options); globalScope_ = new Output(); collectGlobalNames(translUnit, typeNames_, constNames_); source = translUnit.source; } static Context fromString(string source, Options options = Options.init) { import clang.Compiler : Compiler; Compiler compiler; auto translationUnit = TranslationUnit.parseString( Index(false, false), source, compiler.internalFlags, compiler.internalHeaders); return new Context(translationUnit, options); } public string getAnonymousName (Cursor cursor) { if (auto name = cursor in anonymousNames) return *name; return ""; } public string generateAnonymousName (Cursor cursor) { import std.format : format; import std.range : empty; auto name = getAnonymousName(cursor); if (name.empty) { name = format("_Anonymous_%d", anonymousNames.length); anonymousNames[cursor] = name; } return name; } public string spelling (Cursor cursor) { auto ptr = cursor in anonymousNames; return ptr !is null ? *ptr : cursor.spelling; } public IncludeHandler includeHandler() { return includeHandler_; } public CommentIndex commentIndex() { return commentIndex_; } public Cursor[string] typeNames() { return typeNames_; } public Cursor[string] constNames() { return constNames_; } public TypedefIndex typedefIndex() { return typedefIndex_; } public HeaderIndex headerIndex() { if (headerIndex_ is null) headerIndex_ = new HeaderIndex(this.translUnit); return headerIndex_; } public bool alreadyDefined(in Cursor cursor) { return (cursor in alreadyDefined_) !is null; } public void markAsDefined(in Cursor cursor) { alreadyDefined_[cursor] = true; } public Cursor typedefParent(in Cursor cursor) { return typedefIndex_.typedefParent(cursor); } public bool isInsideTypedef(in Cursor cursor) { assert(cursor.kind == CXCursorKind.enumDecl || cursor.kind == CXCursorKind.structDecl || cursor.kind == CXCursorKind.unionDecl); if (auto typedef_ = typedefIndex_.typedefParent(cursor)) { auto inner = cursor.extent; auto outer = typedef_.extent; return contains(outer, inner); } else { return false; } } private string translateSpellingImpl(in Cursor cursor) { return cursor.spelling == "" ? generateAnonymousName(cursor) : cursor.spelling; } public string translateSpelling(in Cursor cursor) { if (auto spelling = (cursor in translatedSpellings)) { return *spelling; } else { auto spelling = translateSpellingImpl(cursor); translatedSpellings[cursor] = spelling; return spelling; } } public void defineSpellingTranslation(in Cursor cursor, string spelling) { translatedSpellings[cursor] = spelling; } private void printCollisionWarning( string spelling, Cursor cursor, Cursor collision) { import std.format : format; import std.stdio : writeln; if (options.printDiagnostics) { auto message = format( "%s: warning: a type renamed to '%s' due to the " ~ "collision with the symbol declared in %s", cursor.location.toColonSeparatedString, spelling, collision.location.toColonSeparatedString); writeln(message); } } private void throwCollisionError( string spelling, Cursor cursor, Cursor collision) { import std.format : format; throw new TranslationException( format( "%s: error: a type name '%s' " ~ "collides with the symbol declared in %s", cursor.location.toColonSeparatedString, spelling, collision.location.toColonSeparatedString)); } public string translateTagSpelling(Cursor cursor) { if (auto cached = (cursor.canonical in translatedSpellings)) { return *cached; } string spelling; if (cursor.spelling == "stat" && headerIndex.searchKnownModules(cursor) == "core.sys.posix.sys.stat") { spelling = "stat_t"; } else { auto typedefp = typedefParent(cursor.canonical); if (typedefp.isValid && cursor.spelling == "") { spelling = typedefp.spelling; } else { string tentative = translateSpellingImpl(cursor); spelling = tentative; if (options.collisionAction != CollisionAction.ignore) { auto collision = spelling in macroIndex.globalCursors; while (collision && collision.canonical != cursor.canonical && collision.canonical != typedefParent(cursor.canonical)) { if (options.collisionAction == CollisionAction.abort) throwCollisionError(spelling, cursor, *collision); spelling ~= "_"; printCollisionWarning(spelling, cursor, *collision); collision = spelling in macroIndex.globalCursors; } } } } translatedSpellings[cursor.canonical] = spelling; return spelling; } public Translator translator() { return translator_; } public Output globalScope() { return globalScope_; } } string[] cursorScope(Context context, Cursor cursor) { string[] result; void cursorScope(Context context, Cursor cursor, ref string[] result) { string spelling; switch (cursor.kind) { case CXCursorKind.structDecl: case CXCursorKind.unionDecl: case CXCursorKind.enumDecl: cursorScope(context, cursor.lexicalParent, result); spelling = context.spelling(cursor); break; default: return; } result ~= spelling; } cursorScope(context, cursor, result); return result; } string cursorScopeString(Context context, Cursor cursor) { import std.array : join; return join(cursorScope(context, cursor), "."); } /** * Returns true, if there is a variable, of type represented by cursor, among * children of its parent. */ bool variablesInParentScope(Cursor cursor) { import std.algorithm.iteration : filter; auto parent = cursor.semanticParent; auto canonical = cursor.canonical; bool predicate(Cursor a) { return ( a.kind == CXCursorKind.fieldDecl || a.kind == CXCursorKind.varDecl) && a.type.undecorated.declaration.canonical == canonical; } return !filter!(predicate)(parent.children).empty; } /** * Returns true, if cursor can be translated as anonymous. */ bool shouldBeAnonymous(Context context, Cursor cursor) { return cursor.type.isAnonymous && context.typedefIndex.typedefParent(cursor).isEmpty; } /** * Returns true, if cursor is in the global scope. */ bool isGlobal(Cursor cursor) { return cursor.semanticParent.kind == CXCursorKind.translationUnit; } /** * Returns true, if cursor is in the global scope. */ bool isGlobalLexically(Cursor cursor) { return cursor.lexicalParent.kind == CXCursorKind.translationUnit; } /** * The collectGlobalTypes function scans the whole AST of the translation unit and produces * a set of the type names in global scope. * * The type names are required for the parsing of C code (e.g. macro definition bodies), * as C grammar isn't context free. */ void collectGlobalNames( TranslationUnit translUnit, ref Cursor[string] types, ref Cursor[string] consts) { void collectEnumMembers( Cursor parent, ref Cursor[string] consts) { foreach (cursor; parent.all) { switch (cursor.kind) { case CXCursorKind.enumConstantDecl: consts[cursor.spelling] = cursor; break; default: break; } } } void collectGlobalTypes( Cursor parent, ref Cursor[string] types, ref Cursor[string] consts) { foreach (cursor, _; parent.all) { switch (cursor.kind) { case CXCursorKind.typedefDecl: types[cursor.spelling] = cursor; break; case CXCursorKind.structDecl: types["struct " ~ cursor.spelling] = cursor; break; case CXCursorKind.unionDecl: types["union " ~ cursor.spelling] = cursor; break; case CXCursorKind.enumDecl: types["enum " ~ cursor.spelling] = cursor; collectEnumMembers(cursor, consts); break; default: break; } } } collectGlobalTypes(translUnit.cursor, types, consts); }
D
module viva.io.console; import std.stdio; import std.conv; @property private File getStdout() @trusted { return stdout; } /++ + Prints the given values + Params: + values = The values to print to console +/ void print(T...)(T values) @safe if (!is(T[0] : File)) { //import core.stdc : printf; //foreach (value; values) //printf(value); // Is this a bad way? I wanted to use `printf`, but it writes some weird output sometimes getStdout().write(values); } /++ + Prints the given values and a newline (`\n`) after printing the values + Params: + values = The values to print to console +/ void println(T...)(T values) @safe { foreach (i, value; values) { if (i < values.length - 1) print(value.to!string, ' '); else print(value.to!string); } print('\n'); } /++ + Prints the given values and a newline (`\n`) after each value + Params: + values = The values to print to console +/ void printfln(T...)(T values) @safe { foreach (value; values) print(value.to!string, '\n'); }
D
/++Authors: Syphist, meatRay+/ module dgrid.actor; import dgrid.vector; import dgrid.thing; import dgrid.grid; /++ + "Does Stuff" +/ class Actor :Thing { public: /++Publicly define game-update actions.+/ void delegate() onAct; /++Construct with a position defined.+/ this(this T)() { super(); this.name =T.stringof; this.onAct =delegate void(){}; } /++ + Called once per game-update. + Overload to define derived classes actions. +/ void act() { onAct(); } bool step() { return step( direction);} bool step( Direction direction) { auto pos =Position.add( position, direction); if(! this.grid.occupiedAt( pos)) { this.position =pos; return true; } return false; } void rotate( Rotation rotation) { this.direction =rotateDir( this.direction, rotation); } }
D
electronic equipment consisting of a system of circuits
D
/Users/apple/Desktop/save/HW9.01/build/HW9.01.build/Debug-iphonesimulator/HW9.01.build/Objects-normal/x86_64/CommJointController.o : /Users/apple/Desktop/save/HW9.01/HW9.01/LegiTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewCellTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewControllerTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AboutController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/SwiftSpinner.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AppDelegate.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/Menu.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/apple/Desktop/save/HW9.01/HW9.01/HW9.01-Bridging-Header.h /Users/apple/Desktop/save/HW9.01/HW9.01/SWRevealViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/apple/Desktop/save/HW9.01/build/HW9.01.build/Debug-iphonesimulator/HW9.01.build/Objects-normal/x86_64/CommJointController~partial.swiftmodule : /Users/apple/Desktop/save/HW9.01/HW9.01/LegiTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewCellTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewControllerTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AboutController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/SwiftSpinner.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AppDelegate.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/Menu.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/apple/Desktop/save/HW9.01/HW9.01/HW9.01-Bridging-Header.h /Users/apple/Desktop/save/HW9.01/HW9.01/SWRevealViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/apple/Desktop/save/HW9.01/build/HW9.01.build/Debug-iphonesimulator/HW9.01.build/Objects-normal/x86_64/CommJointController~partial.swiftdoc : /Users/apple/Desktop/save/HW9.01/HW9.01/LegiTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewCellTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommSenateController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewControllerTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavLegiCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AboutController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/SwiftSpinner.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavCommController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillActiveCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/BillNewDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/AppDelegate.swift /Users/apple/Desktop/save/HW9.01/HW9.01/CommJointDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiSenateTableViewController.swift /Users/apple/Desktop/save/HW9.01/HW9.01/Menu.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiStateTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseDetail.swift /Users/apple/Desktop/save/HW9.01/HW9.01/LegiHouseTableViewCell.swift /Users/apple/Desktop/save/HW9.01/HW9.01/FavBillCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/apple/Desktop/save/HW9.01/HW9.01/HW9.01-Bridging-Header.h /Users/apple/Desktop/save/HW9.01/HW9.01/SWRevealViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple/Desktop/save/HW9.01/build/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule
D
instance Mod_7189_OUT_Antonius_MT (Npc_Default) { // ------ NSC ------ name = "Antonius"; guild = GIL_OUT; id = 7189; voice = 0; flags = 0; npctype = NPCTYPE_MAIN; // ------ Attribute ------ B_SetAttributesToChapter (self, 1); // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_COWARD; CreateInvItems (self, ItMi_Stuff_Barbknife_01, 10); CreateInvItems (self, ItMi_Pan, 3); CreateInvItems (self, ItMi_Gold, 150); CreateInvItems (self, ItFo_Addon_Grog, 10); CreateInvItems (self, ItFo_Cheese, 1); CreateInvItems (self, ItFo_Bread, 1); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_N_Weak_Asghan, BodyTex_N,ITAR_Vlk_H); Mdl_SetModelFatness (self,1); Mdl_ApplyOverlayMds (self, "Humans_Arrogance.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 30); // ------ TA anmelden ------ daily_routine = Rtn_Start_7189; }; FUNC VOID Rtn_Start_7189() { TA_Stand_WP (06,05,20,15,"PATH_OC_NC"); TA_Stand_WP (20,15,06,05,"PATH_OC_NC"); };
D
/** * TypeInfo support code. * * Copyright: Copyright Digital Mars 2004 - 2009. * License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>. * Authors: Walter Bright */ /* Copyright Digital Mars 2004 - 2009. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE_1_0.txt or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module rt.typeinfo.ti_long; private import rt.util.hash; // long class TypeInfo_l : TypeInfo { @trusted: const: pure: nothrow: override string toString() const pure nothrow @safe { return "long"; } override hash_t getHash(in void* p) { return hashOf(p, long.sizeof); } override equals_t equals(in void* p1, in void* p2) { return *cast(long *)p1 == *cast(long *)p2; } override int compare(in void* p1, in void* p2) { if (*cast(long *)p1 < *cast(long *)p2) return -1; else if (*cast(long *)p1 > *cast(long *)p2) return 1; return 0; } @property override size_t tsize() nothrow pure { return long.sizeof; } override void swap(void *p1, void *p2) { long t; t = *cast(long *)p1; *cast(long *)p1 = *cast(long *)p2; *cast(long *)p2 = t; } @property override size_t talign() nothrow pure { return long.alignof; } }
D
// REQUIRED_ARGS: -o- /***************** Covariance ******************/ class C1 { void foo() @nogc; void bar(); } class D1 : C1 { override void foo(); // no error override void bar() @nogc; // no error } /******************************************/ // __traits(compiles) static assert(__traits(compiles, new Object())); void foo_compiles() {} @nogc void test_compiles() { auto fp = &foo_compiles; static assert(!__traits(compiles, foo_compiles())); static assert(!__traits(compiles, fp())); static assert(!__traits(compiles, (*fp)())); static assert(!__traits(compiles, [1,2,3])); static assert(!__traits(compiles, [1:1, 2:2])); struct Struct {} static assert(!__traits(compiles, new int)); static assert(!__traits(compiles, new Struct())); static assert(!__traits(compiles, new Object())); int* p; static assert(!__traits(compiles, delete p)); int[int] aa; static assert(!__traits(compiles, aa[0])); int[] a; static assert(!__traits(compiles, a.length = 1)); static assert(!__traits(compiles, a.length += 1)); static assert(!__traits(compiles, a.length -= 1)); static assert(!__traits(compiles, a ~= 1)); static assert(!__traits(compiles, a ~ a)); } /******************************************/ // 12630 void test12630() @nogc { // All of these declarations should cause no errors. static const ex1 = new Exception("invalid"); //enum ex2 = new Exception("invalid"); static const arr1 = [[1,2], [3, 4]]; enum arr2 = [[1,2], [3, 4]]; static const aa1 = [1:1, 2:2]; enum aa2 = [1:1, 2:2]; static const v1 = aa1[1]; enum v2 = aa2[1]; Object o; static const del1 = (delete o).sizeof; enum del2 = (delete o).sizeof; int[] a; static const len1 = (a.length = 1).sizeof; enum len2 = (a.length = 1).sizeof; static const cata1 = (a ~= 1).sizeof; enum cata2 = (a ~= 1).sizeof; static const cat1 = (a ~ a).sizeof; enum cat2 = (a ~ a).sizeof; } /******************************************/ // 12642 import core.simd; ulong2 test12642() @nogc { return [0, 0]; }
D
/// module std.experimental.allocator.building_blocks.region; import std.experimental.allocator.building_blocks.null_allocator; import std.experimental.allocator.common; import std.typecons : Flag, Yes, No; /** A $(D Region) allocator allocates memory straight from one contiguous chunk. There is no deallocation, and once the region is full, allocation requests return $(D null). Therefore, $(D Region)s are often used (a) in conjunction with more sophisticated allocators; or (b) for batch-style very fast allocations that deallocate everything at once. The region only stores three pointers, corresponding to the current position in the store and the limits. One allocation entails rounding up the allocation size for alignment purposes, bumping the current pointer, and comparing it against the limit. If $(D ParentAllocator) is different from $(D NullAllocator), $(D Region) deallocates the chunk of memory during destruction. The $(D minAlign) parameter establishes alignment. If $(D minAlign > 1), the sizes of all allocation requests are rounded up to a multiple of $(D minAlign). Applications aiming at maximum speed may want to choose $(D minAlign = 1) and control alignment externally. */ struct Region(ParentAllocator = NullAllocator, uint minAlign = platformAlignment, Flag!"growDownwards" growDownwards = No.growDownwards) { static assert(minAlign.isGoodStaticAlignment); static assert(ParentAllocator.alignment >= minAlign); import std.traits : hasMember; import std.typecons : Ternary; // state /** The _parent allocator. Depending on whether $(D ParentAllocator) holds state or not, this is a member variable or an alias for `ParentAllocator.instance`. */ static if (stateSize!ParentAllocator) { ParentAllocator parent; } else { alias parent = ParentAllocator.instance; } private void* _current, _begin, _end; /** Constructs a region backed by a user-provided store. Assumes $(D store) is aligned at $(D minAlign). Also assumes the memory was allocated with $(D ParentAllocator) (if different from $(D NullAllocator)). Params: store = User-provided store backing up the region. $(D store) must be aligned at $(D minAlign) (enforced with $(D assert)). If $(D ParentAllocator) is different from $(D NullAllocator), memory is assumed to have been allocated with $(D ParentAllocator). n = Bytes to allocate using $(D ParentAllocator). This constructor is only defined If $(D ParentAllocator) is different from $(D NullAllocator). If $(D parent.allocate(n)) returns $(D null), the region will be initialized as empty (correctly initialized but unable to allocate). */ this(ubyte[] store) { store = cast(ubyte[])(store.roundUpToAlignment(alignment)); store = store[0 .. $.roundDownToAlignment(alignment)]; assert(store.ptr.alignedAt(minAlign)); assert(store.length % minAlign == 0); _begin = store.ptr; _end = store.ptr + store.length; static if (growDownwards) _current = _end; else _current = store.ptr; } /// Ditto static if (!is(ParentAllocator == NullAllocator)) this(size_t n) { this(cast(ubyte[])(parent.allocate(n.roundUpToAlignment(alignment)))); } /* TODO: The postblit of $(D BasicRegion) should be disabled because such objects should not be copied around naively. */ /** If `ParentAllocator` is not `NullAllocator` and defines `deallocate`, the region defines a destructor that uses `ParentAllocator.delete` to free the memory chunk. */ static if (!is(ParentAllocator == NullAllocator) && hasMember!(ParentAllocator, "deallocate")) ~this() { parent.deallocate(_begin[0 .. _end - _begin]); } /** Alignment offered. */ alias alignment = minAlign; /** Allocates $(D n) bytes of memory. The shortest path involves an alignment adjustment (if $(D alignment > 1)), an increment, and a comparison. Params: n = number of bytes to allocate Returns: A properly-aligned buffer of size $(D n) or $(D null) if request could not be satisfied. */ void[] allocate(size_t n) { if (n == 0) return null; static if (growDownwards) { if (!available || available < n) return null; static if (minAlign > 1) const rounded = n.roundUpToAlignment(alignment); else alias rounded = n; assert(available >= rounded); auto result = (_current - rounded)[0 .. n]; assert(result.ptr >= _begin); _current = result.ptr; assert(owns(result) == Ternary.yes); return result; } else { auto result = _current[0 .. n]; static if (minAlign > 1) const rounded = n.roundUpToAlignment(alignment); else alias rounded = n; _current += rounded; if (_current <= _end) return result; // Slow path, backtrack _current -= rounded; return null; } } /** Allocates $(D n) bytes of memory aligned at alignment $(D a). Params: n = number of bytes to allocate a = alignment for the allocated block Returns: Either a suitable block of $(D n) bytes aligned at $(D a), or $(D null). */ void[] alignedAllocate(size_t n, uint a) { import std.math : isPowerOf2; assert(a.isPowerOf2); static if (growDownwards) { const available = _current - _begin; if (available < n) return null; auto result = (_current - n).alignDownTo(a)[0 .. n]; if (result.ptr >= _begin) { _current = result.ptr; return result; } } else { // Just bump the pointer to the next good allocation auto save = _current; _current = _current.alignUpTo(a); auto result = allocate(n); if (result.ptr) { assert(result.length == n); return result; } // Failed, rollback _current = save; } return null; } /// Allocates and returns all memory available to this region. void[] allocateAll() { static if (growDownwards) { auto result = _begin[0 .. available]; _current = _begin; } else { auto result = _current[0 .. available]; _current = _end; } return result; } /** Expands an allocated block in place. Expansion will succeed only if the block is the last allocated. Defined only if `growDownwards` is `No.growDownwards`. */ static if (growDownwards == No.growDownwards) pure nothrow @safe @nogc bool expand(ref void[] b, size_t delta) { assert(owns(b) == Ternary.yes || b is null); assert((() @trusted => b.ptr + b.length <= _current)() || b is null); if (b is null || delta == 0) return delta == 0; auto newLength = b.length + delta; if ((() @trusted => _current < b.ptr + b.length + alignment)()) { immutable currentGoodSize = this.goodAllocSize(b.length); immutable newGoodSize = this.goodAllocSize(newLength); immutable goodDelta = newGoodSize - currentGoodSize; // This was the last allocation! Allocate some more and we're done. if (goodDelta == 0 || (() @trusted => allocate(goodDelta).length == goodDelta)()) { b = (() @trusted => b.ptr[0 .. newLength])(); assert((() @trusted => _current < b.ptr + b.length + alignment)()); return true; } } return false; } /** Deallocates $(D b). This works only if $(D b) was obtained as the last call to $(D allocate); otherwise (i.e. another allocation has occurred since) it does nothing. This semantics is tricky and therefore $(D deallocate) is defined only if $(D Region) is instantiated with $(D Yes.defineDeallocate) as the third template argument. Params: b = Block previously obtained by a call to $(D allocate) against this allocator ($(D null) is allowed). */ pure nothrow @nogc bool deallocate(void[] b) { assert(owns(b) == Ternary.yes || b.ptr is null); static if (growDownwards) { if (b.ptr == _current) { _current += this.goodAllocSize(b.length); return true; } } else { if (b.ptr + this.goodAllocSize(b.length) == _current) { assert(b.ptr !is null || _current is null); _current = b.ptr; return true; } } return false; } /** Deallocates all memory allocated by this region, which can be subsequently reused for new allocations. */ pure nothrow @nogc bool deallocateAll() { static if (growDownwards) { _current = _end; } else { _current = _begin; } return true; } /** Queries whether `b` has been allocated with this region. Params: b = Arbitrary block of memory (`null` is allowed; `owns(null)` returns `false`). Returns: `true` if `b` has been allocated with this region, `false` otherwise. */ pure nothrow @trusted @nogc Ternary owns(const void[] b) const { return Ternary(b && (&b[0] >= _begin) && (&b[0] + b.length <= _end)); } /** Returns `Ternary.yes` if no memory has been allocated in this region, `Ternary.no` otherwise. (Never returns `Ternary.unknown`.) */ pure nothrow @safe @nogc Ternary empty() const { static if (growDownwards) return Ternary(_current == _end); else return Ternary(_current == _begin); } /// Nonstandard property that returns bytes available for allocation. size_t available() const { static if (growDownwards) { return _current - _begin; } else { return _end - _current; } } } /// @system unittest { import std.algorithm.comparison : max; import std.experimental.allocator.building_blocks.allocator_list : AllocatorList; import std.experimental.allocator.mallocator : Mallocator; import std.typecons : Ternary; // Create a scalable list of regions. Each gets at least 1MB at a time by // using malloc. auto batchAllocator = AllocatorList!( (size_t n) => Region!Mallocator(max(n, 1024 * 1024)) )(); assert(batchAllocator.empty == Ternary.yes); auto b = batchAllocator.allocate(101); assert(b.length == 101); assert(batchAllocator.empty == Ternary.no); // This will cause a second allocation b = batchAllocator.allocate(2 * 1024 * 1024); assert(b.length == 2 * 1024 * 1024); // Destructor will free the memory } @system unittest { import std.experimental.allocator.mallocator : Mallocator; import std.typecons : Ternary; // Create a 64 KB region allocated with malloc auto reg = Region!(Mallocator, Mallocator.alignment, Yes.growDownwards)(1024 * 64); assert((() pure nothrow @safe @nogc => reg.empty)() == Ternary.yes); const b = reg.allocate(101); assert(b.length == 101); assert((() nothrow @safe @nogc => reg.owns(b))() == Ternary.yes); // Ensure deallocate inherits from parent allocators auto c = reg.allocate(42); assert(c.length == 42); assert((() nothrow @nogc => reg.deallocate(c))()); assert((() pure nothrow @safe @nogc => reg.empty)() == Ternary.no); } @system unittest { import std.experimental.allocator.mallocator : Mallocator; testAllocator!(() => Region!(Mallocator)(1024 * 64)); testAllocator!(() => Region!(Mallocator, Mallocator.alignment, Yes.growDownwards)(1024 * 64)); } @system unittest { import std.experimental.allocator.mallocator : Mallocator; auto reg = Region!(Mallocator)(1024 * 64); auto b = reg.allocate(101); assert(b.length == 101); assert((() pure nothrow @safe @nogc => reg.expand(b, 20))()); assert((() pure nothrow @safe @nogc => reg.expand(b, 73))()); assert((() pure nothrow @safe @nogc => !reg.expand(b, 1024 * 64))()); assert((() nothrow @nogc => reg.deallocateAll())()); } /** $(D InSituRegion) is a convenient region that carries its storage within itself (in the form of a statically-sized array). The first template argument is the size of the region and the second is the needed alignment. Depending on the alignment requested and platform details, the actual available storage may be smaller than the compile-time parameter. To make sure that at least $(D n) bytes are available in the region, use $(D InSituRegion!(n + a - 1, a)). Given that the most frequent use of `InSituRegion` is as a stack allocator, it allocates starting at the end on systems where stack grows downwards, such that hot memory is used first. */ struct InSituRegion(size_t size, size_t minAlign = platformAlignment) { import std.algorithm.comparison : max; import std.conv : to; import std.traits : hasMember; import std.typecons : Ternary; static assert(minAlign.isGoodStaticAlignment); static assert(size >= minAlign); version (X86) enum growDownwards = Yes.growDownwards; else version (X86_64) enum growDownwards = Yes.growDownwards; else version (ARM) enum growDownwards = Yes.growDownwards; else version (AArch64) enum growDownwards = Yes.growDownwards; else version (PPC) enum growDownwards = Yes.growDownwards; else version (PPC64) enum growDownwards = Yes.growDownwards; else version (MIPS32) enum growDownwards = Yes.growDownwards; else version (MIPS64) enum growDownwards = Yes.growDownwards; else version (SPARC) enum growDownwards = Yes.growDownwards; else version (SystemZ) enum growDownwards = Yes.growDownwards; else static assert(0, "Dunno how the stack grows on this architecture."); @disable this(this); // state { private Region!(NullAllocator, minAlign, growDownwards) _impl; union { private ubyte[size] _store = void; private double _forAlignmentOnly1 = void; } // } /** An alias for $(D minAlign), which must be a valid alignment (nonzero power of 2). The start of the region and all allocation requests will be rounded up to a multiple of the alignment. ---- InSituRegion!(4096) a1; assert(a1.alignment == platformAlignment); InSituRegion!(4096, 64) a2; assert(a2.alignment == 64); ---- */ alias alignment = minAlign; private void lazyInit() { assert(!_impl._current); _impl = typeof(_impl)(_store); assert(_impl._current.alignedAt(alignment)); } /** Allocates $(D bytes) and returns them, or $(D null) if the region cannot accommodate the request. For efficiency reasons, if $(D bytes == 0) the function returns an empty non-null slice. */ void[] allocate(size_t n) { // Fast path entry: auto result = _impl.allocate(n); if (result.length == n) return result; // Slow path if (_impl._current) return null; // no more room lazyInit; assert(_impl._current); goto entry; } /** As above, but the memory allocated is aligned at $(D a) bytes. */ void[] alignedAllocate(size_t n, uint a) { // Fast path entry: auto result = _impl.alignedAllocate(n, a); if (result.length == n) return result; // Slow path if (_impl._current) return null; // no more room lazyInit; assert(_impl._current); goto entry; } /** Deallocates $(D b). This works only if $(D b) was obtained as the last call to $(D allocate); otherwise (i.e. another allocation has occurred since) it does nothing. This semantics is tricky and therefore $(D deallocate) is defined only if $(D Region) is instantiated with $(D Yes.defineDeallocate) as the third template argument. Params: b = Block previously obtained by a call to $(D allocate) against this allocator ($(D null) is allowed). */ bool deallocate(void[] b) { if (!_impl._current) return b is null; return _impl.deallocate(b); } /** Returns `Ternary.yes` if `b` is the result of a previous allocation, `Ternary.no` otherwise. */ pure nothrow @safe @nogc Ternary owns(const void[] b) { if (!_impl._current) return Ternary.no; return _impl.owns(b); } /** Expands an allocated block in place. Expansion will succeed only if the block is the last allocated. */ static if (hasMember!(typeof(_impl), "expand")) bool expand(ref void[] b, size_t delta) { if (!_impl._current) lazyInit; return _impl.expand(b, delta); } /** Deallocates all memory allocated with this allocator. */ bool deallocateAll() { // We don't care to lazily init the region return _impl.deallocateAll; } /** Allocates all memory available with this allocator. */ void[] allocateAll() { if (!_impl._current) lazyInit; return _impl.allocateAll; } /** Nonstandard function that returns the bytes available for allocation. */ size_t available() { if (!_impl._current) lazyInit; return _impl.available; } } /// @system unittest { // 128KB region, allocated to x86's cache line InSituRegion!(128 * 1024, 16) r1; auto a1 = r1.allocate(101); assert(a1.length == 101); // 128KB region, with fallback to the garbage collector. import std.experimental.allocator.building_blocks.fallback_allocator : FallbackAllocator; import std.experimental.allocator.building_blocks.free_list : FreeList; import std.experimental.allocator.building_blocks.bitmapped_block : BitmappedBlock; import std.experimental.allocator.gc_allocator : GCAllocator; FallbackAllocator!(InSituRegion!(128 * 1024), GCAllocator) r2; const a2 = r2.allocate(102); assert(a2.length == 102); // Reap with GC fallback. InSituRegion!(128 * 1024, 8) tmp3; FallbackAllocator!(BitmappedBlock!(64, 8), GCAllocator) r3; r3.primary = BitmappedBlock!(64, 8)(cast(ubyte[])(tmp3.allocateAll())); const a3 = r3.allocate(103); assert(a3.length == 103); // Reap/GC with a freelist for small objects up to 16 bytes. InSituRegion!(128 * 1024, 64) tmp4; FreeList!(FallbackAllocator!(BitmappedBlock!(64, 64), GCAllocator), 0, 16) r4; r4.parent.primary = BitmappedBlock!(64, 64)(cast(ubyte[])(tmp4.allocateAll())); const a4 = r4.allocate(104); assert(a4.length == 104); } @system unittest { import std.typecons : Ternary; InSituRegion!(4096, 1) r1; auto a = r1.allocate(2001); assert(a.length == 2001); import std.conv : text; assert(r1.available == 2095, text(r1.available)); // Ensure deallocate inherits from parent assert((() nothrow @nogc => r1.deallocate(a))()); assert((() nothrow @nogc => r1.deallocateAll())()); InSituRegion!(65_536, 1024*4) r2; assert(r2.available <= 65_536); a = r2.allocate(2001); assert(a.length == 2001); const void[] buff = r2.allocate(42); assert((() nothrow @safe @nogc => r2.owns(buff))() == Ternary.yes); assert((() nothrow @nogc => r2.deallocateAll())()); } private extern(C) void* sbrk(long) nothrow @nogc; private extern(C) int brk(shared void*) nothrow @nogc; /** Allocator backed by $(D $(LINK2 https://en.wikipedia.org/wiki/Sbrk, sbrk)) for Posix systems. Due to the fact that $(D sbrk) is not thread-safe $(HTTP lifecs.likai.org/2010/02/sbrk-is-not-thread-safe.html, by design), $(D SbrkRegion) uses a mutex internally. This implies that uncontrolled calls to $(D brk) and $(D sbrk) may affect the workings of $(D SbrkRegion) adversely. */ version(Posix) struct SbrkRegion(uint minAlign = platformAlignment) { import core.sys.posix.pthread : pthread_mutex_init, pthread_mutex_destroy, pthread_mutex_t, pthread_mutex_lock, pthread_mutex_unlock, PTHREAD_MUTEX_INITIALIZER; private static shared pthread_mutex_t sbrkMutex = PTHREAD_MUTEX_INITIALIZER; import std.typecons : Ternary; static assert(minAlign.isGoodStaticAlignment); static assert(size_t.sizeof == (void*).sizeof); private shared void* _brkInitial, _brkCurrent; /** Instance shared by all callers. */ static shared SbrkRegion instance; /** Standard allocator primitives. */ enum uint alignment = minAlign; /// Ditto void[] allocate(size_t bytes) shared { static if (minAlign > 1) const rounded = bytes.roundUpToMultipleOf(alignment); else alias rounded = bytes; pthread_mutex_lock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); scope(exit) pthread_mutex_unlock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); // Assume sbrk returns the old break. Most online documentation confirms // that, except for http://www.inf.udec.cl/~leo/Malloc_tutorial.pdf, // which claims the returned value is not portable. auto p = sbrk(rounded); if (p == cast(void*) -1) { return null; } if (!_brkInitial) { _brkInitial = cast(shared) p; assert(cast(size_t) _brkInitial % minAlign == 0, "Too large alignment chosen for " ~ typeof(this).stringof); } _brkCurrent = cast(shared) (p + rounded); return p[0 .. bytes]; } /// Ditto void[] alignedAllocate(size_t bytes, uint a) shared { pthread_mutex_lock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); scope(exit) pthread_mutex_unlock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); if (!_brkInitial) { // This is one extra call, but it'll happen only once. _brkInitial = cast(shared) sbrk(0); assert(cast(size_t) _brkInitial % minAlign == 0, "Too large alignment chosen for " ~ typeof(this).stringof); (_brkInitial != cast(void*) -1) || assert(0); _brkCurrent = _brkInitial; } immutable size_t delta = cast(shared void*) roundUpToMultipleOf( cast(size_t) _brkCurrent, a) - _brkCurrent; // Still must make sure the total size is aligned to the allocator's // alignment. immutable rounded = (bytes + delta).roundUpToMultipleOf(alignment); auto p = sbrk(rounded); if (p == cast(void*) -1) { return null; } _brkCurrent = cast(shared) (p + rounded); return p[delta .. delta + bytes]; } /** The $(D expand) method may only succeed if the argument is the last block allocated. In that case, $(D expand) attempts to push the break pointer to the right. */ nothrow @trusted @nogc bool expand(ref void[] b, size_t delta) shared { if (b is null || delta == 0) return delta == 0; assert(_brkInitial && _brkCurrent); // otherwise where did b come from? pthread_mutex_lock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); scope(exit) pthread_mutex_unlock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); // TODO: This is the correct way of checking for _brkCurrent, // but this breaks deallocate //static if (minAlign > 1) //const rounded = b.length.roundUpToMultipleOf(alignment); //else //alias rounded = b.length; const rounded = b.length; if (_brkCurrent != b.ptr + rounded) return false; // Great, can expand the last block static if (minAlign > 1) const roundedDelta = delta.roundUpToMultipleOf(alignment); else alias roundedDelta = delta; auto p = sbrk(roundedDelta); if (p == cast(void*) -1) { return false; } _brkCurrent = cast(shared) (p + roundedDelta); b = b.ptr[0 .. b.length + delta]; return true; } /// Ditto pure nothrow @trusted @nogc Ternary owns(const void[] b) shared { // No need to lock here. assert(!_brkCurrent || !b || &b[0] + b.length <= _brkCurrent); return Ternary(_brkInitial && b && (&b[0] >= _brkInitial)); } /** The $(D deallocate) method only works (and returns $(D true)) on systems that support reducing the break address (i.e. accept calls to $(D sbrk) with negative offsets). OSX does not accept such. In addition the argument must be the last block allocated. */ nothrow @nogc bool deallocate(void[] b) shared { static if (minAlign > 1) const rounded = b.length.roundUpToMultipleOf(alignment); else const rounded = b.length; pthread_mutex_lock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); scope(exit) pthread_mutex_unlock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); if (_brkCurrent != b.ptr + rounded) return false; assert(b.ptr >= _brkInitial); if (sbrk(-rounded) == cast(void*) -1) return false; _brkCurrent = cast(shared) b.ptr; return true; } /** The $(D deallocateAll) method only works (and returns $(D true)) on systems that support reducing the break address (i.e. accept calls to $(D sbrk) with negative offsets). OSX does not accept such. */ nothrow @nogc bool deallocateAll() shared { pthread_mutex_lock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); scope(exit) pthread_mutex_unlock(cast(pthread_mutex_t*) &sbrkMutex) == 0 || assert(0); return !_brkInitial || brk(_brkInitial) == 0; } /// Standard allocator API. pure nothrow @safe @nogc Ternary empty() shared { // Also works when they're both null. return Ternary(_brkCurrent == _brkInitial); } } version(Posix) @system unittest { // Let's test the assumption that sbrk(n) returns the old address const p1 = sbrk(0); const p2 = sbrk(4096); assert(p1 == p2); const p3 = sbrk(0); assert(p3 == p2 + 4096); // Try to reset brk, but don't make a fuss if it doesn't work sbrk(-4096); } version(Posix) @system unittest { import std.typecons : Ternary; import std.algorithm.comparison : min; alias alloc = SbrkRegion!(min(8, platformAlignment)).instance; assert((() nothrow @safe @nogc => alloc.empty)() == Ternary.yes); auto a = alloc.alignedAllocate(2001, 4096); assert(a.length == 2001); assert((() nothrow @safe @nogc => alloc.empty)() == Ternary.no); auto b = alloc.allocate(2001); assert(b.length == 2001); assert((() nothrow @safe @nogc => alloc.expand(b, 0))()); assert(b.length == 2001); // Fails because of alignment assert((() nothrow @safe @nogc => !alloc.expand(b, 1))()); assert((() nothrow @safe @nogc => alloc.owns(a))() == Ternary.yes); assert((() nothrow @safe @nogc => alloc.owns(b))() == Ternary.yes); // reducing the brk does not work on OSX version(OSX) {} else { assert((() nothrow @nogc => alloc.deallocate(b))()); assert((() nothrow @nogc => alloc.deallocateAll())()); } const void[] c = alloc.allocate(2001); assert(c.length == 2001); assert((() nothrow @safe @nogc => alloc.owns(c))() == Ternary.yes); assert((() nothrow @safe @nogc => alloc.owns(null))() == Ternary.no); }
D
/* EXTRA_FILES: imports/ice10600a.d imports/ice10600b.d TEST_OUTPUT: --- fail_compilation/ice10600.d(31): Error: template instance `to!(int, double)` does not match template declaration `to(T)` --- */ import imports.ice10600a; import imports.ice10600b; template Tuple(Specs...) { struct Tuple { string toString() { Appender!string w; // issue! return ""; } } } Tuple!T tuple(T...)(T args) { return typeof(return)(); } void main() { auto a = to!int(""); auto b = to!(int, double)(""); tuple(1); }
D
// Written in the D programming language // Author: Timon Gehr // License: http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0 template IsNonASTType(T){ enum IsNonASTType = is(T==Symbol)|| is(T==TemplateInstanceDecl)|| is(T==ExpTuple)|| is(T==TypeTuple)|| is(T==PtrExp)|| is(T==LengthExp); } mixin template Visitors(){ // workaround for DMD bug: Interpret goes first /*static if(is(typeof({mixin Semantic!(typeof(this));})))*/ static if(is(typeof(this):Expression)&&!is(typeof(this):Type)) mixin Interpret!(typeof(this));// TODO: minimize and report bug static assert(is(TypeTuple==class)); static if(!IsNonASTType!(typeof(this))) mixin Semantic!(typeof(this)); // another workaround for DMD bug, other part is in expression.Node static if(!is(typeof(this)==Node)){ static if(!is(typeof(this)==AggregateTy)){ mixin Analyze; // wtf? mixin CTFEInterpret!(typeof(this)); } static if(!is(typeof(this)==AggregateTy)) mixin DeepDup!(typeof(this)); } //static if(is(typeof(this)==Node)) } import expression,declaration,type; mixin template DeepDup(T) if(is(T: BasicType)){ override @trusted inout(T) sdup()inout{ return this; } override @trusted inout(T) ddup()inout{ return this; } } mixin template DeepDup(T) if(is(T: Node) && !is(T: BasicType)){ mixin((!is(T==Node)?"override ":"")~q{ @trusted inout(T) ddup()inout{ static if(is(T:Type) && !is(T:FunctionTy)){ if(sstate==SemState.completed) return this; assert(sstate == SemState.begin); } auto res=cast(T)sdup(); static if(is(T==VarDecl)){ if(init_) if(auto tmp=(cast()init_).isTemporaryExp()){ assert(!tmp.tmpVarDecl||tmp.tmpVarDecl is this); auto otmp = tmp.tmpVarDecl; tmp.tmpVarDecl = null; auto n = tmp.ddup(); n.tmpVarDecl = otmp; res.init_ = n; } } foreach(x;__traits(allMembers, T)){ static if(x.length && (!is(T:Symbol)||x!="meaning" && x!="circ" && x!="clist") && x!="ctfeCallWrapper" && (!is(T==TemplateInstanceExp)||x!="eponymous"&&x!="inst")&&(!is(T==VarDecl)||x!="tupleContext") && (!is(T==TemplateInstanceDecl)||x!="eponymousDecl"&&x!="constraintEponymousFunctionParameters") && (!is(T:TemporaryExp)||x!="tmpVarDecl") && (!is(T:AliasDecl)||x!="set")){ // hack static if(is(typeof(*mixin("&res."~x)) S) && !is(S:immutable(S))){ static if(is(S:const(Node))){ static if(!is(T==FunctionTy)||!is(S==FunctionTy)) mixin("if(res."~x~" !is null) res."~x~"=res."~x~".ddup();"); }else static if(is(typeof(*mixin("&res."~x)):const(Node)[])){ mixin("res."~x~"=res."~x~".dup;"); static if((!is(T==ReferenceAggregateDecl)||x!="parents")) foreach(ref e;mixin("res."~x)) if(e!is null) e=e.ddup(); } } }// else{ import std.stdio; writeln("not copying "~T.stringof,".",x);} } static if(is(T==FunctionTy)){ res.clearCaches();// TODO: clearCaches is not good enough } return *cast(inout(T)*)&res; }}~(!is(T==Node)? q{override @trusted inout(T) sdup()inout{ enum siz = __traits(classInstanceSize,T); auto data = New!(void[])(siz); import std.c.string; memcpy(data.ptr, cast(void*)this, siz); return cast(inout(T))data.ptr; }}:"")); } mixin template DeepDup(T: StaticIfDecl) if(is(T==StaticIfDecl)){ override @trusted inout(T) ddup()inout{ assert(sstate==SemState.begin||sstate==SemState.pre); enum siz = __traits(classInstanceSize,T); auto data = New!(void[])(siz); import std.c.string; memcpy(data.ptr, cast(void*)this, siz); auto res = cast(T)data.ptr; res.lazyDup = true; res.cond = res.cond.ddup(); return cast(inout)res; } } import semantic; mixin template DeepDup(T: Symbol) { override @trusted inout(T) ddup()inout{ enum siz = __traits(classInstanceSize,T); auto data = New!(void[])(siz); import std.c.string; memcpy(data.ptr, cast(void*)this, siz); auto res = cast(T)data.ptr; if(isFunctionLiteral) res.meaning = res.meaning.ddup; return cast(inout)res; } }
D
module GameClient.XClient; extern(C++): class CXClient { }
D
/x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/QuickAna/obj/ut_OutputToolXAOD.o /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/QuickAna/obj/ut_OutputToolXAOD.d : /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/test/ut_OutputToolXAOD.cxx /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventInfo/EventInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventInfo/versions/EventInfo_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 /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/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 /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/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/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/xAODCore/BaseInfo.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/RootCoreBin/include/xAODEgamma/ElectronContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/Electron.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/versions/Electron_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/versions/Egamma_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/TMathBase.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/TObject.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/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/TNamed.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/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/TMatrixFBasefwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixDBasefwd.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/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/xAODEgamma/EgammaDefs.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/EgammaEnums.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/CaloCluster.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/versions/CaloCluster_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CaloGeoHelpers/CaloSampling.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CaloGeoHelpers/CaloSampling.def /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/CaloClusterBadChannelData.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/versions/CaloClusterBadChannelData_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/CaloClusterContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCaloEvent/versions/CaloClusterContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/IParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODPrimitives/IsolationCorrection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODPrimitives/IsolationType.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODPrimitives/IsolationFlavour.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/CxxUtils/final.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackingPrimitives.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/VertexContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleContainer.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/xAODEgamma/versions/ElectronContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/versions/EgammaContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/EgammaContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/EgammaFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/ElectronContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEgamma/ElectronFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/MissingETContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/MissingET.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingET_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingETBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/tuple/tuple.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/ref.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/ref.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/tuple/detail/tuple_basic.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/cv_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/swap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/swap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingET_v1.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingETContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingETContainer_v1.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/MissingETAuxContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMissingET/versions/MissingETAuxContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/AuxContainerBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxStoreIO.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxStoreHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/AuxSelection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/AuxContainerBase.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/tools/AuxPersVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/ShallowAuxInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/ShallowAuxContainer.h /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/OutputToolXAOD.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgToolsConf.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/IAsgTool.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/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/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/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/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 /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/Global.h /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/IOutputTool.h /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/OutputToolXAOD.icc /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/OutputUtils.h /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/OutputUtils.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/ShallowCopy.h /cvmfs/atlas.cern.ch/repo/sw/ASG/AnalysisBase/2.4.8/QuickAna/QuickAna/MessageCheck.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MessageCheck.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/Init.h
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1999-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/Выражениеsem.d, _Выражениеsem.d) * Documentation: https://dlang.org/phobos/dmd_Выражениеsem.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/Выражениеsem.d */ module dmd.expressionsem; import cidrus; import dmd.access; import dmd.aggregate; import dmd.aliasthis; import dmd.arrayop; import dmd.arraytypes; import dmd.attrib; import drc.ast.AstCodegen; import dmd.canthrow; import dmd.ctorflow; import dmd.dscope; import dmd.дсимвол; import dmd.declaration; import dmd.dclass; import dmd.dcast; import dmd.delegatize; import dmd.denum; import dmd.dimport; import dmd.dinterpret; import dmd.dmangle; import dmd.dmodule; import dmd.dstruct; import dmd.dsymbolsem; import dmd.dtemplate; import dmd.errors; import dmd.escape; import drc.ast.Expression; import dmd.func; import dmd.globals; import dmd.hdrgen; import drc.lexer.Id; import drc.lexer.Identifier; import dmd.imphint; import dmd.init; import dmd.initsem; import dmd.inline; import dmd.intrange; import dmd.mtype; import dmd.nspace; import dmd.opover; import dmd.optimize; import drc.parser.Parser2; import util.ctfloat; import util.file; import util.filename; import util.outbuffer; import drc.ast.Node; import util.string; import dmd.semantic2; import dmd.semantic3; import dmd.sideeffect; import dmd.safe; import dmd.target; import drc.lexer.Tokens; import dmd.traits; import dmd.typesem; import dmd.typinf; import util.utf; import util.utils; import drc.ast.Visitor; import core.checkedint : mulu; const LOGSEMANTIC = нет; /******************************************************** * Perform semantic analysis and CTFE on Выражения to produce * a ткст. * Параметры: * буф = приставь generated ткст to буфер * sc = context * exps = массив of Выражения * Возвращает: * да on error */ бул выраженияВТкст(ref БуфВыв буф, Scope* sc, Выражения* exps) { if (!exps) return нет; foreach (ex; *exps) { if (!ex) continue; auto sc2 = sc.startCTFE(); auto e2 = ex.ВыражениеSemantic(sc2); auto e3 = resolveProperties(sc2, e2); sc2.endCTFE(); // allowed to contain types as well as Выражения auto e4 = ctfeInterpretForPragmaMsg(e3); if (!e4 || e4.op == ТОК2.error) return да; // expand кортеж if (auto te = e4.isTupleExp()) { if (выраженияВТкст(буф, sc, te.exps)) return да; continue; } // сим literals exp `.вТкстExp` return `null` but we cant override it // because in most contexts we don't want the conversion to succeed. IntegerExp ie = e4.isIntegerExp(); const ty = (ie && ie.тип) ? ie.тип.ty : Terror; if (ty == Tchar || ty == Twchar || ty == Tdchar) { auto tsa = new TypeSArray(ie.тип, new IntegerExp(1)); e4 = new ArrayLiteralExp(ex.место, tsa, ie); } if (StringExp se = e4.вТкстExp()) буф.пишиСтр(se.toUTF8(sc).peekString()); else буф.пишиСтр(e4.вТкст()); } return нет; } /*********************************************************** * Resolve `exp` as a compile-time known ткст. * Параметры: * sc = scope * exp = Выражение which expected as a ткст * s = What the ткст is expected for, will be используется in error diagnostic. * Возвращает: * String literal, or `null` if error happens. */ StringExp semanticString(Scope *sc, Выражение exp, ткст0 s) { sc = sc.startCTFE(); exp = exp.ВыражениеSemantic(sc); exp = resolveProperties(sc, exp); sc = sc.endCTFE(); if (exp.op == ТОК2.error) return null; auto e = exp; if (exp.тип.isString()) { e = e.ctfeInterpret(); if (e.op == ТОК2.error) return null; } auto se = e.вТкстExp(); if (!se) { exp.выведиОшибку("`ткст` expected for %s, not `(%s)` of тип `%s`", s, exp.вТкст0(), exp.тип.вТкст0()); return null; } return se; } private Выражение extractOpDollarSideEffect(Scope* sc, UnaExp ue) { Выражение e0; Выражение e1 = Выражение.extractLast(ue.e1, e0); // https://issues.dlang.org/show_bug.cgi?ид=12585 // Extract the side effect part if ue.e1 is comma. if ((sc.flags & SCOPE.ctfe) ? hasSideEffect(e1) : !isTrivialExp(e1)) // match logic in extractSideEffect() { /* Even if opDollar is needed, 'e1' should be evaluate only once. So * Rewrite: * e1.opIndex( ... use of $ ... ) * e1.opSlice( ... use of $ ... ) * as: * (ref __dop = e1, __dop).opIndex( ... __dop.opDollar ...) * (ref __dop = e1, __dop).opSlice( ... __dop.opDollar ...) */ e1 = extractSideEffect(sc, "__dop", e0, e1, нет); assert(e1.op == ТОК2.variable); VarExp ve = cast(VarExp)e1; ve.var.класс_хранения |= STC.exptemp; // lifetime limited to Выражение } ue.e1 = e1; return e0; } /************************************** * Runs semantic on ae.arguments. Declares temporary variables * if '$' was используется. */ Выражение resolveOpDollar(Scope* sc, ArrayExp ae, Выражение* pe0) { assert(!ae.lengthVar); *pe0 = null; AggregateDeclaration ad = isAggregate(ae.e1.тип); ДСимвол slice = search_function(ad, Id.slice); //printf("slice = %s %s\n", slice.вид(), slice.вТкст0()); foreach (i, e; *ae.arguments) { if (i == 0) *pe0 = extractOpDollarSideEffect(sc, ae); if (e.op == ТОК2.interval && !(slice && slice.isTemplateDeclaration())) { Lfallback: if (ae.arguments.dim == 1) return null; ae.выведиОшибку("multi-dimensional slicing requires template `opSlice`"); return new ErrorExp(); } //printf("[%d] e = %s\n", i, e.вТкст0()); // Create scope for '$' variable for this dimension auto sym = new ArrayScopeSymbol(sc, ae); sym.родитель = sc.scopesym; sc = sc.сунь(sym); ae.lengthVar = null; // Create it only if required ae.currentDimension = i; // Dimension for $, if required e = e.ВыражениеSemantic(sc); e = resolveProperties(sc, e); if (ae.lengthVar && sc.func) { // If $ was используется, declare it now Выражение de = new DeclarationExp(ae.место, ae.lengthVar); de = de.ВыражениеSemantic(sc); *pe0 = Выражение.combine(*pe0, de); } sc = sc.вынь(); if (e.op == ТОК2.interval) { IntervalExp ie = cast(IntervalExp)e; auto tiargs = new Объекты(); Выражение edim = new IntegerExp(ae.место, i, Тип.tт_мера); edim = edim.ВыражениеSemantic(sc); tiargs.сунь(edim); auto fargs = new Выражения(2); (*fargs)[0] = ie.lwr; (*fargs)[1] = ie.upr; бцел xerrors = глоб2.startGagging(); sc = sc.сунь(); FuncDeclaration fslice = resolveFuncCall(ae.место, sc, slice, tiargs, ae.e1.тип, fargs, FuncResolveFlag.quiet); sc = sc.вынь(); глоб2.endGagging(xerrors); if (!fslice) goto Lfallback; e = new DotTemplateInstanceExp(ae.место, ae.e1, slice.идент, tiargs); e = new CallExp(ae.место, e, fargs); e = e.ВыражениеSemantic(sc); } if (!e.тип) { ae.выведиОшибку("`%s` has no значение", e.вТкст0()); e = new ErrorExp(); } if (e.op == ТОК2.error) return e; (*ae.arguments)[i] = e; } return ae; } /************************************** * Runs semantic on se.lwr and se.upr. Declares a temporary variable * if '$' was используется. * Возвращает: * ae, or ErrorExp if errors occurred */ Выражение resolveOpDollar(Scope* sc, ArrayExp ae, IntervalExp ie, Выражение* pe0) { //assert(!ae.lengthVar); if (!ie) return ae; VarDeclaration lengthVar = ae.lengthVar; бул errors = нет; // создай scope for '$' auto sym = new ArrayScopeSymbol(sc, ae); sym.родитель = sc.scopesym; sc = sc.сунь(sym); Выражение sem(Выражение e) { e = e.ВыражениеSemantic(sc); e = resolveProperties(sc, e); if (!e.тип) { ae.выведиОшибку("`%s` has no значение", e.вТкст0()); errors = да; } return e; } ie.lwr = sem(ie.lwr); ie.upr = sem(ie.upr); if (lengthVar != ae.lengthVar && sc.func) { // If $ was используется, declare it now Выражение de = new DeclarationExp(ae.место, ae.lengthVar); de = de.ВыражениеSemantic(sc); *pe0 = Выражение.combine(*pe0, de); } sc = sc.вынь(); return errors ? new ErrorExp() : ae; } /****************************** * Perform semantic() on an массив of Выражения. */ бул arrayВыражениеSemantic(Выражения* exps, Scope* sc, бул preserveErrors = нет) { бул err = нет; if (exps) { foreach (ref e; *exps) { if (e) { auto e2 = e.ВыражениеSemantic(sc); if (e2.op == ТОК2.error) err = да; if (preserveErrors || e2.op != ТОК2.error) e = e2; } } } return err; } /****************************** * Check the tail CallExp is really property function call. * Bugs: * This doesn't appear to do anything. */ private бул checkPropertyCall(Выражение e) { e = lastComma(e); if (e.op == ТОК2.call) { CallExp ce = cast(CallExp)e; TypeFunction tf; if (ce.f) { tf = cast(TypeFunction)ce.f.тип; /* If a forward reference to ce.f, try to resolve it */ if (!tf.deco && ce.f.semanticRun < PASS.semanticdone) { ce.f.dsymbolSemantic(null); tf = cast(TypeFunction)ce.f.тип; } } else if (ce.e1.тип.ty == Tfunction) tf = cast(TypeFunction)ce.e1.тип; else if (ce.e1.тип.ty == Tdelegate) tf = cast(TypeFunction)ce.e1.тип.nextOf(); else if (ce.e1.тип.ty == Tpointer && ce.e1.тип.nextOf().ty == Tfunction) tf = cast(TypeFunction)ce.e1.тип.nextOf(); else assert(0); } return нет; } /****************************** * Find symbol in accordance with the UFCS имя look up rule */ private Выражение searchUFCS(Scope* sc, UnaExp ue, Идентификатор2 идент) { //printf("searchUFCS(идент = %s)\n", идент.вТкст0()); Место место = ue.место; // TODO: merge with Scope.search.searchScopes() ДСимвол searchScopes(цел flags) { ДСимвол s = null; for (Scope* scx = sc; scx; scx = scx.enclosing) { if (!scx.scopesym) continue; if (scx.scopesym.isModule()) flags |= SearchUnqualifiedModule; // tell Module.search() that SearchLocalsOnly is to be obeyed s = scx.scopesym.search(место, идент, flags); if (s) { // overload set содержит only module scope symbols. if (s.isOverloadSet()) break; // selective/renamed imports also be picked up if (AliasDeclaration ad = s.isAliasDeclaration()) { if (ad._import) break; } // See only module scope symbols for UFCS target. ДСимвол p = s.toParent2(); if (p && p.isModule()) break; } s = null; // Stop when we hit a module, but keep going if that is not just under the глоб2 scope if (scx.scopesym.isModule() && !(scx.enclosing && !scx.enclosing.enclosing)) break; } return s; } цел flags = 0; ДСимвол s; if (sc.flags & SCOPE.ignoresymbolvisibility) flags |= IgnoreSymbolVisibility; // First look in local scopes s = searchScopes(flags | SearchLocalsOnly); if (!s) { // Second look in imported modules s = searchScopes(flags | SearchImportsOnly); } if (!s) return ue.e1.тип.Тип.getProperty(место, идент, 0); FuncDeclaration f = s.isFuncDeclaration(); if (f) { TemplateDeclaration td = getFuncTemplateDecl(f); if (td) { if (td.overroot) td = td.overroot; s = td; } } if (ue.op == ТОК2.dotTemplateInstance) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)ue; auto ti = new TemplateInstance(место, s.идент, dti.ti.tiargs); if (!ti.updateTempDecl(sc, s)) return new ErrorExp(); return new ScopeExp(место, ti); } else { //printf("-searchUFCS() %s\n", s.вТкст0()); return new DsymbolExp(место, s); } } /****************************** * Pull out callable entity with UFCS. */ private Выражение resolveUFCS(Scope* sc, CallExp ce) { Место место = ce.место; Выражение eleft; Выражение e; if (ce.e1.op == ТОК2.dotIdentifier) { DotIdExp die = cast(DotIdExp)ce.e1; Идентификатор2 идент = die.идент; Выражение ex = die.semanticX(sc); if (ex != die) { ce.e1 = ex; return null; } eleft = die.e1; Тип t = eleft.тип.toBasetype(); if (t.ty == Tarray || t.ty == Tsarray || t.ty == Tnull || (t.isTypeBasic() && t.ty != Tvoid)) { /* Built-in types and arrays have no callable properties, so do shortcut. * It is necessary in: e.init() */ } else if (t.ty == Taarray) { if (идент == Id.удали) { /* Transform: * aa.удали(arg) into delete aa[arg] */ if (!ce.arguments || ce.arguments.dim != 1) { ce.выведиОшибку("expected ключ as argument to `aa.удали()`"); return new ErrorExp(); } if (!eleft.тип.isMutable()) { ce.выведиОшибку("cannot удали ключ from `%s` associative массив `%s`", MODtoChars(t.mod), eleft.вТкст0()); return new ErrorExp(); } Выражение ключ = (*ce.arguments)[0]; ключ = ключ.ВыражениеSemantic(sc); ключ = resolveProperties(sc, ключ); TypeAArray taa = cast(TypeAArray)t; ключ = ключ.implicitCastTo(sc, taa.index); if (ключ.checkValue() || ключ.checkSharedAccess(sc)) return new ErrorExp(); semanticTypeInfo(sc, taa.index); return new RemoveExp(место, eleft, ключ); } } else { if (Выражение ey = die.semanticY(sc, 1)) { if (ey.op == ТОК2.error) return ey; ce.e1 = ey; if (isDotOpDispatch(ey)) { бцел errors = глоб2.startGagging(); e = ce.syntaxCopy().ВыражениеSemantic(sc); if (!глоб2.endGagging(errors)) return e; // even opDispatch and UFCS must have valid arguments, // so now that we've seen indication of a problem, // check them for issues. Выражения* originalArguments = Выражение.arraySyntaxCopy(ce.arguments); if (arrayВыражениеSemantic(originalArguments, sc)) return new ErrorExp(); /* fall down to UFCS */ } else return null; } } /* https://issues.dlang.org/show_bug.cgi?ид=13953 * * If a struct has an alias this to an associative массив * and удали is используется on a struct instance, we have to * check first if there is a удали function that can be called * on the struct. If not we must check the alias this. * * struct A * { * ткст[ткст] a; * alias a this; * } * * проц fun() * { * A s; * s.удали("foo"); * } */ const errors = глоб2.startGagging(); e = searchUFCS(sc, die, идент); // if there were any errors and the идентификатор was удали if (глоб2.endGagging(errors)) { if (идент == Id.удали) { // check alias this Выражение alias_e = resolveAliasThis(sc, die.e1, 1); if (alias_e && alias_e != die.e1) { die.e1 = alias_e; CallExp ce2 = cast(CallExp)ce.syntaxCopy(); ce2.e1 = die; e = cast(CallExp)ce2.trySemantic(sc); if (e) return e; } } // if alias this did not work out, print the initial errors searchUFCS(sc, die, идент); } } else if (ce.e1.op == ТОК2.dotTemplateInstance) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)ce.e1; if (Выражение ey = dti.semanticY(sc, 1)) { ce.e1 = ey; return null; } eleft = dti.e1; e = searchUFCS(sc, dti, dti.ti.имя); } else return null; // Rewrite ce.e1 = e; if (!ce.arguments) ce.arguments = new Выражения(); ce.arguments.shift(eleft); return null; } /****************************** * Pull out property with UFCS. */ private Выражение resolveUFCSProperties(Scope* sc, Выражение e1, Выражение e2 = null) { Место место = e1.место; Выражение eleft; Выражение e; if (e1.op == ТОК2.dotIdentifier) { DotIdExp die = cast(DotIdExp)e1; eleft = die.e1; e = searchUFCS(sc, die, die.идент); } else if (e1.op == ТОК2.dotTemplateInstance) { DotTemplateInstanceExp dti; dti = cast(DotTemplateInstanceExp)e1; eleft = dti.e1; e = searchUFCS(sc, dti, dti.ti.имя); } else return null; if (e is null) return null; // Rewrite if (e2) { // run semantic without gagging e2 = e2.ВыражениеSemantic(sc); /* f(e1) = e2 */ Выражение ex = e.копируй(); auto a1 = new Выражения(1); (*a1)[0] = eleft; ex = new CallExp(место, ex, a1); auto e1PassSemantic = ex.trySemantic(sc); /* f(e1, e2) */ auto a2 = new Выражения(2); (*a2)[0] = eleft; (*a2)[1] = e2; e = new CallExp(место, e, a2); e = e.trySemantic(sc); if (!e1PassSemantic && !e) { /* https://issues.dlang.org/show_bug.cgi?ид=20448 * * If both versions have failed to pass semantic, * f(e1) = e2 gets priority in error printing * because f might be a templated function that * failed to instantiate and we have to print * the instantiation errors. */ return e1.ВыражениеSemantic(sc); } else if (ex && !e) { checkPropertyCall(ex); ex = new AssignExp(место, ex, e2); return ex.ВыражениеSemantic(sc); } else { // strict setter prints errors if fails e = e.ВыражениеSemantic(sc); } checkPropertyCall(e); return e; } else { /* f(e1) */ auto arguments = new Выражения(1); (*arguments)[0] = eleft; e = new CallExp(место, e, arguments); e = e.ВыражениеSemantic(sc); checkPropertyCall(e); return e.ВыражениеSemantic(sc); } } /****************************** * If e1 is a property function (template), resolve it. */ Выражение resolvePropertiesOnly(Scope* sc, Выражение e1) { //printf("e1 = %s %s\n", Сема2::вТкст0(e1.op), e1.вТкст0()); Выражение handleOverloadSet(OverloadSet ос) { assert(ос); foreach (s; ос.a) { auto fd = s.isFuncDeclaration(); auto td = s.isTemplateDeclaration(); if (fd) { if ((cast(TypeFunction)fd.тип).isproperty) return resolveProperties(sc, e1); } else if (td && td.onemember && (fd = td.onemember.isFuncDeclaration()) !is null) { if ((cast(TypeFunction)fd.тип).isproperty || (fd.storage_class2 & STC.property) || (td._scope.stc & STC.property)) return resolveProperties(sc, e1); } } return e1; } Выражение handleTemplateDecl(TemplateDeclaration td) { assert(td); if (td.onemember) { if (auto fd = td.onemember.isFuncDeclaration()) { if ((cast(TypeFunction)fd.тип).isproperty || (fd.storage_class2 & STC.property) || (td._scope.stc & STC.property)) return resolveProperties(sc, e1); } } return e1; } Выражение handleFuncDecl(FuncDeclaration fd) { assert(fd); if ((cast(TypeFunction)fd.тип).isproperty) return resolveProperties(sc, e1); return e1; } if (auto de = e1.isDotExp()) { if (auto ос = de.e2.isOverExp()) return handleOverloadSet(ос.vars); } else if (auto oe = e1.isOverExp()) return handleOverloadSet(oe.vars); else if (auto dti = e1.isDotTemplateInstanceExp()) { if (dti.ti.tempdecl) if (auto td = dti.ti.tempdecl.isTemplateDeclaration()) return handleTemplateDecl(td); } else if (auto dte = e1.isDotTemplateExp()) return handleTemplateDecl(dte.td); else if (e1.op == ТОК2.scope_) { ДСимвол s = (cast(ScopeExp)e1).sds; TemplateInstance ti = s.isTemplateInstance(); if (ti && !ti.semanticRun && ti.tempdecl) if (auto td = ti.tempdecl.isTemplateDeclaration()) return handleTemplateDecl(td); } else if (e1.op == ТОК2.template_) return handleTemplateDecl((cast(TemplateExp)e1).td); else if (e1.op == ТОК2.dotVariable && e1.тип.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e1; return handleFuncDecl(dve.var.isFuncDeclaration()); } else if (e1.op == ТОК2.variable && e1.тип && e1.тип.ty == Tfunction && (sc.intypeof || !(cast(VarExp)e1).var.needThis())) return handleFuncDecl((cast(VarExp)e1).var.isFuncDeclaration()); return e1; } /**************************************** * Turn symbol `s` into the Выражение it represents. * * Параметры: * s = symbol to resolve * место = location of use of `s` * sc = context * hasOverloads = applies if `s` represents a function. * да means it's overloaded and will be resolved later, * нет means it's the exact function symbol. * Возвращает: * `s` turned into an Выражение, `ErrorExp` if an error occurred */ Выражение symbolToExp(ДСимвол s, ref Место место, Scope *sc, бул hasOverloads) { static if (LOGSEMANTIC) { printf("DsymbolExp::resolve(%s %s)\n", s.вид(), s.вТкст0()); } Lagain: Выражение e; //printf("DsymbolExp:: %p '%s' is a symbol\n", this, вТкст0()); //printf("s = '%s', s.вид = '%s'\n", s.вТкст0(), s.вид()); ДСимвол olds = s; Declaration d = s.isDeclaration(); if (d && (d.класс_хранения & STC.шаблонпараметр)) { s = s.toAlias(); } else { if (!s.isFuncDeclaration()) // functions are checked after overloading { s.checkDeprecated(место, sc); if (d) d.checkDisabled(место, sc); } // https://issues.dlang.org/show_bug.cgi?ид=12023 // if 's' is a кортеж variable, the кортеж is returned. s = s.toAlias(); //printf("s = '%s', s.вид = '%s', s.needThis() = %p\n", s.вТкст0(), s.вид(), s.needThis()); if (s != olds && !s.isFuncDeclaration()) { s.checkDeprecated(место, sc); if (d) d.checkDisabled(место, sc); } } if (auto em = s.isEnumMember()) { return em.getVarExp(место, sc); } if (auto v = s.isVarDeclaration()) { //printf("Идентификатор2 '%s' is a variable, тип '%s'\n", s.вТкст0(), v.тип.вТкст0()); if (sc.intypeof == 1 && !v.inuse) v.dsymbolSemantic(sc); if (!v.тип || // during variable тип inference !v.тип.deco && v.inuse) // during variable тип semantic { if (v.inuse) // variable тип depends on the variable itself выведиОшибку(место, "circular reference to %s `%s`", v.вид(), v.toPrettyChars()); else // variable тип cannot be determined выведиОшибку(место, "forward reference to %s `%s`", v.вид(), v.toPrettyChars()); return new ErrorExp(); } if (v.тип.ty == Terror) return new ErrorExp(); if ((v.класс_хранения & STC.manifest) && v._иниц) { if (v.inuse) { выведиОшибку(место, "circular initialization of %s `%s`", v.вид(), v.toPrettyChars()); return new ErrorExp(); } e = v.expandInitializer(место); v.inuse++; e = e.ВыражениеSemantic(sc); v.inuse--; return e; } // Change the ancestor lambdas to delegate before hasThis(sc) call. if (v.checkNestedReference(sc, место)) return new ErrorExp(); if (v.needThis() && hasThis(sc)) e = new DotVarExp(место, new ThisExp(место), v); else e = new VarExp(место, v); e = e.ВыражениеSemantic(sc); return e; } if (auto fld = s.isFuncLiteralDeclaration()) { //printf("'%s' is a function literal\n", fld.вТкст0()); e = new FuncExp(место, fld); return e.ВыражениеSemantic(sc); } if (auto f = s.isFuncDeclaration()) { f = f.toAliasFunc(); if (!f.functionSemantic()) return new ErrorExp(); if (!hasOverloads && f.checkForwardRef(место)) return new ErrorExp(); auto fd = s.isFuncDeclaration(); fd.тип = f.тип; return new VarExp(место, fd, hasOverloads); } if (OverDeclaration od = s.isOverDeclaration()) { e = new VarExp(место, od, да); e.тип = Тип.tvoid; return e; } if (OverloadSet o = s.isOverloadSet()) { //printf("'%s' is an overload set\n", o.вТкст0()); return new OverExp(место, o); } if (Импорт imp = s.isImport()) { if (!imp.pkg) { .выведиОшибку(место, "forward reference of import `%s`", imp.вТкст0()); return new ErrorExp(); } auto ie = new ScopeExp(место, imp.pkg); return ie.ВыражениеSemantic(sc); } if (Package pkg = s.isPackage()) { auto ie = new ScopeExp(место, pkg); return ie.ВыражениеSemantic(sc); } if (Module mod = s.isModule()) { auto ie = new ScopeExp(место, mod); return ie.ВыражениеSemantic(sc); } if (Nspace ns = s.isNspace()) { auto ie = new ScopeExp(место, ns); return ie.ВыражениеSemantic(sc); } if (Тип t = s.getType()) { return (new TypeExp(место, t)).ВыражениеSemantic(sc); } if (TupleDeclaration tup = s.isTupleDeclaration()) { if (tup.needThis() && hasThis(sc)) e = new DotVarExp(место, new ThisExp(место), tup); else e = new TupleExp(место, tup); e = e.ВыражениеSemantic(sc); return e; } if (TemplateInstance ti = s.isTemplateInstance()) { ti.dsymbolSemantic(sc); if (!ti.inst || ti.errors) return new ErrorExp(); s = ti.toAlias(); if (!s.isTemplateInstance()) goto Lagain; e = new ScopeExp(место, ti); e = e.ВыражениеSemantic(sc); return e; } if (TemplateDeclaration td = s.isTemplateDeclaration()) { ДСимвол p = td.toParentLocal(); FuncDeclaration fdthis = hasThis(sc); AggregateDeclaration ad = p ? p.isAggregateDeclaration() : null; if (fdthis && ad && fdthis.isMemberLocal() == ad && (td._scope.stc & STC.static_) == 0) { e = new DotTemplateExp(место, new ThisExp(место), td); } else e = new TemplateExp(место, td); e = e.ВыражениеSemantic(sc); return e; } .выведиОшибку(место, "%s `%s` is not a variable", s.вид(), s.вТкст0()); return new ErrorExp(); } /************************************************************* * Given var, get the * right `this` pointer if var is in an outer class, but our * existing `this` pointer is in an inner class. * Параметры: * место = location to use for error messages * sc = context * ad = struct or class we need the correct `this` for * e1 = existing `this` * var = the specific member of ad we're accessing * флаг = if да, return `null` instead of throwing an error * Возвращает: * Выражение representing the `this` for the var */ private Выражение getRightThis(ref Место место, Scope* sc, AggregateDeclaration ad, Выражение e1, ДСимвол var, цел флаг = 0) { //printf("\ngetRightThis(e1 = %s, ad = %s, var = %s)\n", e1.вТкст0(), ad.вТкст0(), var.вТкст0()); L1: Тип t = e1.тип.toBasetype(); //printf("e1.тип = %s, var.тип = %s\n", e1.тип.вТкст0(), var.тип.вТкст0()); if (e1.op == ТОК2.objcClassReference) { // We already have an Objective-C class reference, just use that as 'this'. return e1; } else if (ad && ad.isClassDeclaration && ad.isClassDeclaration.classKind == ClassKind.objc && var.isFuncDeclaration && var.isFuncDeclaration.isStatic && var.isFuncDeclaration.selector) { return new ObjcClassReferenceExp(e1.место, cast(ClassDeclaration) ad); } /* Access of a member which is a template параметр in dual-scope scenario * class A { inc(alias m)() { ++m; } } // `m` needs `this` of `B` * class B {цел m; inc() { new A().inc!m(); } } */ if (e1.op == ТОК2.this_) { FuncDeclaration f = hasThis(sc); if (f && f.isThis2) { if (f.followInstantiationContext(ad)) { e1 = new VarExp(место, f.vthis); e1 = new PtrExp(место, e1); e1 = new IndexExp(место, e1, IntegerExp.literal!(1)); e1 = getThisSkipNestedFuncs(место, sc, f.toParent2(), ad, e1, t, var); if (e1.op == ТОК2.error) return e1; goto L1; } } } /* If e1 is not the 'this' pointer for ad */ if (ad && !(t.ty == Tpointer && t.nextOf().ty == Tstruct && (cast(TypeStruct)t.nextOf()).sym == ad) && !(t.ty == Tstruct && (cast(TypeStruct)t).sym == ad)) { ClassDeclaration cd = ad.isClassDeclaration(); ClassDeclaration tcd = t.isClassHandle(); /* e1 is the right this if ad is a base class of e1 */ if (!cd || !tcd || !(tcd == cd || cd.isBaseOf(tcd, null))) { /* Only classes can be inner classes with an 'outer' * member pointing to the enclosing class instance */ if (tcd && tcd.isNested()) { /* e1 is the 'this' pointer for an inner class: tcd. * Rewrite it as the 'this' pointer for the outer class. */ auto vthis = tcd.followInstantiationContext(ad) ? tcd.vthis2 : tcd.vthis; e1 = new DotVarExp(место, e1, vthis); e1.тип = vthis.тип; e1.тип = e1.тип.addMod(t.mod); // Do not call ensureStaticLinkTo() //e1 = e1.semantic(sc); // Skip up over nested functions, and get the enclosing // class тип. e1 = getThisSkipNestedFuncs(место, sc, tcd.toParentP(ad), ad, e1, t, var); if (e1.op == ТОК2.error) return e1; goto L1; } /* Can't найди a path from e1 to ad */ if (флаг) return null; e1.выведиОшибку("`this` for `%s` needs to be тип `%s` not тип `%s`", var.вТкст0(), ad.вТкст0(), t.вТкст0()); return new ErrorExp(); } } return e1; } /*************************************** * Pull out any properties. */ private Выражение resolvePropertiesX(Scope* sc, Выражение e1, Выражение e2 = null) { //printf("resolvePropertiesX, e1 = %s %s, e2 = %s\n", Сема2.вТкст0(e1.op), e1.вТкст0(), e2 ? e2.вТкст0() : null); Место место = e1.место; OverloadSet ос; ДСимвол s; Объекты* tiargs; Тип tthis; if (e1.op == ТОК2.dot) { DotExp de = cast(DotExp)e1; if (de.e2.op == ТОК2.overloadSet) { tiargs = null; tthis = de.e1.тип; ос = (cast(OverExp)de.e2).vars; goto Los; } } else if (e1.op == ТОК2.overloadSet) { tiargs = null; tthis = null; ос = (cast(OverExp)e1).vars; Los: assert(ос); FuncDeclaration fd = null; if (e2) { e2 = e2.ВыражениеSemantic(sc); if (e2.op == ТОК2.error) return new ErrorExp(); e2 = resolveProperties(sc, e2); Выражения a; a.сунь(e2); for (т_мера i = 0; i < ос.a.dim; i++) { if (FuncDeclaration f = resolveFuncCall(место, sc, ос.a[i], tiargs, tthis, &a, FuncResolveFlag.quiet)) { if (f.errors) return new ErrorExp(); fd = f; assert(fd.тип.ty == Tfunction); } } if (fd) { Выражение e = new CallExp(место, e1, e2); return e.ВыражениеSemantic(sc); } } { for (т_мера i = 0; i < ос.a.dim; i++) { if (FuncDeclaration f = resolveFuncCall(место, sc, ос.a[i], tiargs, tthis, null, FuncResolveFlag.quiet)) { if (f.errors) return new ErrorExp(); fd = f; assert(fd.тип.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.тип; if (!tf.isref && e2) { выведиОшибку(место, "%s is not an lvalue", e1.вТкст0()); return new ErrorExp(); } } } if (fd) { Выражение e = new CallExp(место, e1); if (e2) e = new AssignExp(место, e, e2); return e.ВыражениеSemantic(sc); } } if (e2) goto Leprop; } else if (e1.op == ТОК2.dotTemplateInstance) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)e1; if (!dti.findTempDecl(sc)) goto Leprop; if (!dti.ti.semanticTiargs(sc)) goto Leprop; tiargs = dti.ti.tiargs; tthis = dti.e1.тип; if ((ос = dti.ti.tempdecl.isOverloadSet()) !is null) goto Los; if ((s = dti.ti.tempdecl) !is null) goto Lfd; } else if (e1.op == ТОК2.dotTemplateDeclaration) { DotTemplateExp dte = cast(DotTemplateExp)e1; s = dte.td; tiargs = null; tthis = dte.e1.тип; goto Lfd; } else if (e1.op == ТОК2.scope_) { s = (cast(ScopeExp)e1).sds; TemplateInstance ti = s.isTemplateInstance(); if (ti && !ti.semanticRun && ti.tempdecl) { //assert(ti.needsTypeInference(sc)); if (!ti.semanticTiargs(sc)) goto Leprop; tiargs = ti.tiargs; tthis = null; if ((ос = ti.tempdecl.isOverloadSet()) !is null) goto Los; if ((s = ti.tempdecl) !is null) goto Lfd; } } else if (e1.op == ТОК2.template_) { s = (cast(TemplateExp)e1).td; tiargs = null; tthis = null; goto Lfd; } else if (e1.op == ТОК2.dotVariable && e1.тип && e1.тип.toBasetype().ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e1; s = dve.var.isFuncDeclaration(); tiargs = null; tthis = dve.e1.тип; goto Lfd; } else if (e1.op == ТОК2.variable && e1.тип && e1.тип.toBasetype().ty == Tfunction) { s = (cast(VarExp)e1).var.isFuncDeclaration(); tiargs = null; tthis = null; Lfd: assert(s); if (e2) { e2 = e2.ВыражениеSemantic(sc); if (e2.op == ТОК2.error) return new ErrorExp(); e2 = resolveProperties(sc, e2); Выражения a; a.сунь(e2); FuncDeclaration fd = resolveFuncCall(место, sc, s, tiargs, tthis, &a, FuncResolveFlag.quiet); if (fd && fd.тип) { if (fd.errors) return new ErrorExp(); assert(fd.тип.ty == Tfunction); Выражение e = new CallExp(место, e1, e2); return e.ВыражениеSemantic(sc); } } { FuncDeclaration fd = resolveFuncCall(место, sc, s, tiargs, tthis, null, FuncResolveFlag.quiet); if (fd && fd.тип) { if (fd.errors) return new ErrorExp(); assert(fd.тип.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.тип; if (!e2 || tf.isref) { Выражение e = new CallExp(место, e1); if (e2) e = new AssignExp(место, e, e2); return e.ВыражениеSemantic(sc); } } } if (FuncDeclaration fd = s.isFuncDeclaration()) { // Keep better diagnostic message for invalid property использование of functions assert(fd.тип.ty == Tfunction); Выражение e = new CallExp(место, e1, e2); return e.ВыражениеSemantic(sc); } if (e2) goto Leprop; } if (e1.op == ТОК2.variable) { VarExp ve = cast(VarExp)e1; VarDeclaration v = ve.var.isVarDeclaration(); if (v && ve.checkPurity(sc, v)) return new ErrorExp(); } if (e2) return null; if (e1.тип && e1.op != ТОК2.тип) // function тип is not a property { /* Look for e1 being a lazy параметр; rewrite as delegate call * only if the symbol wasn't already treated as a delegate */ auto ve = e1.isVarExp(); if (ve && ve.var.класс_хранения & STC.lazy_ && !ve.delegateWasExtracted) { Выражение e = new CallExp(место, e1); return e.ВыражениеSemantic(sc); } else if (e1.op == ТОК2.dotVariable) { // Check for reading overlapped pointer field in code. if (checkUnsafeAccess(sc, e1, да, да)) return new ErrorExp(); } else if (e1.op == ТОК2.dot) { e1.выведиОшибку("Выражение has no значение"); return new ErrorExp(); } else if (e1.op == ТОК2.call) { CallExp ce = cast(CallExp)e1; // Check for reading overlapped pointer field in code. if (checkUnsafeAccess(sc, ce.e1, да, да)) return new ErrorExp(); } } if (!e1.тип) { выведиОшибку(место, "cannot resolve тип for %s", e1.вТкст0()); e1 = new ErrorExp(); } return e1; Leprop: выведиОшибку(место, "not a property %s", e1.вТкст0()); return new ErrorExp(); } Выражение resolveProperties(Scope* sc, Выражение e) { //printf("resolveProperties(%s)\n", e.вТкст0()); e = resolvePropertiesX(sc, e); if (e.checkRightThis(sc)) return new ErrorExp(); return e; } /**************************************** * The common тип is determined by applying ?: to each pair. * Output: * exps[] properties resolved, implicitly cast to common тип, rewritten in place * *pt if pt is not NULL, set to the common тип * Возвращает: * да a semantic error was detected */ private бул arrayВыражениеToCommonType(Scope* sc, Выражения* exps, Тип* pt) { /* Still have a problem with: * ббайт[][] = [ cast(ббайт[])"hello", [1]]; * which works if the массив literal is initialized top down with the ббайт[][] * тип, but fails with this function doing bottom up typing. */ //printf("arrayВыражениеToCommonType()\n"); scope IntegerExp integerexp = IntegerExp.literal!(0); scope CondExp condexp = new CondExp(Место.initial, integerexp, null, null); Тип t0 = null; Выражение e0 = null; т_мера j0 = ~0; бул foundType; for (т_мера i = 0; i < exps.dim; i++) { Выражение e = (*exps)[i]; if (!e) continue; e = resolveProperties(sc, e); if (!e.тип) { e.выведиОшибку("`%s` has no значение", e.вТкст0()); t0 = Тип.terror; continue; } if (e.op == ТОК2.тип) { foundType = да; // do not break immediately, there might be more errors e.checkValue(); // report an error "тип T has no значение" t0 = Тип.terror; continue; } if (e.тип.ty == Tvoid) { // проц Выражения do not concur to the determination of the common // тип. continue; } if (checkNonAssignmentArrayOp(e)) { t0 = Тип.terror; continue; } e = doCopyOrMove(sc, e); if (!foundType && t0 && !t0.равен(e.тип)) { /* This applies ?: to merge the types. It's backwards; * ?: should call this function to merge types. */ condexp.тип = null; condexp.e1 = e0; condexp.e2 = e; condexp.место = e.место; Выражение ex = condexp.ВыражениеSemantic(sc); if (ex.op == ТОК2.error) e = ex; else { (*exps)[j0] = condexp.e1; e = condexp.e2; } } j0 = i; e0 = e; t0 = e.тип; if (e.op != ТОК2.error) (*exps)[i] = e; } if (!t0) t0 = Тип.tvoid; // [] is typed as проц[] else if (t0.ty != Terror) { for (т_мера i = 0; i < exps.dim; i++) { Выражение e = (*exps)[i]; if (!e) continue; e = e.implicitCastTo(sc, t0); //assert(e.op != ТОК2.error); if (e.op == ТОК2.error) { /* https://issues.dlang.org/show_bug.cgi?ид=13024 * a workaround for the bug in typeMerge - * it should paint e1 and e2 by deduced common тип, * but doesn't in this particular case. */ t0 = Тип.terror; break; } (*exps)[i] = e; } } if (pt) *pt = t0; return (t0 == Тип.terror); } private Выражение opAssignToOp(ref Место место, ТОК2 op, Выражение e1, Выражение e2) { Выражение e; switch (op) { case ТОК2.addAssign: e = new AddExp(место, e1, e2); break; case ТОК2.minAssign: e = new MinExp(место, e1, e2); break; case ТОК2.mulAssign: e = new MulExp(место, e1, e2); break; case ТОК2.divAssign: e = new DivExp(место, e1, e2); break; case ТОК2.modAssign: e = new ModExp(место, e1, e2); break; case ТОК2.andAssign: e = new AndExp(место, e1, e2); break; case ТОК2.orAssign: e = new OrExp(место, e1, e2); break; case ТОК2.xorAssign: e = new XorExp(место, e1, e2); break; case ТОК2.leftShiftAssign: e = new ShlExp(место, e1, e2); break; case ТОК2.rightShiftAssign: e = new ShrExp(место, e1, e2); break; case ТОК2.unsignedRightShiftAssign: e = new UshrExp(место, e1, e2); break; default: assert(0); } return e; } /********************* * Rewrite: * массив.length op= e2 * as: * массив.length = массив.length op e2 * or: * auto tmp = &массив; * (*tmp).length = (*tmp).length op e2 */ private Выражение rewriteOpAssign(BinExp exp) { Выражение e; assert(exp.e1.op == ТОК2.arrayLength); ArrayLengthExp ale = cast(ArrayLengthExp)exp.e1; if (ale.e1.op == ТОК2.variable) { e = opAssignToOp(exp.место, exp.op, ale, exp.e2); e = new AssignExp(exp.место, ale.syntaxCopy(), e); } else { /* auto tmp = &массив; * (*tmp).length = (*tmp).length op e2 */ auto tmp = copyToTemp(0, "__arraylength", new AddrExp(ale.место, ale.e1)); Выражение e1 = new ArrayLengthExp(ale.место, new PtrExp(ale.место, new VarExp(ale.место, tmp))); Выражение elvalue = e1.syntaxCopy(); e = opAssignToOp(exp.место, exp.op, e1, exp.e2); e = new AssignExp(exp.место, elvalue, e); e = new CommaExp(exp.место, new DeclarationExp(ale.место, tmp), e); } return e; } /**************************************** * Preprocess arguments to function. * Input: * reportErrors whether or not to report errors here. Some callers are not * checking actual function парамы, so they'll do their own error reporting * Output: * exps[] tuples expanded, properties resolved, rewritten in place * Возвращает: * да a semantic error occurred */ private бул preFunctionParameters(Scope* sc, Выражения* exps, бул reportErrors = да) { бул err = нет; if (exps) { expandTuples(exps); for (т_мера i = 0; i < exps.dim; i++) { Выражение arg = (*exps)[i]; arg = resolveProperties(sc, arg); if (arg.op == ТОК2.тип) { // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 arg = resolveAliasThis(sc, arg); if (arg.op == ТОК2.тип) { if (reportErrors) { arg.выведиОшибку("cannot pass тип `%s` as a function argument", arg.вТкст0()); arg = new ErrorExp(); } err = да; } } else if (arg.тип.toBasetype().ty == Tfunction) { if (reportErrors) { arg.выведиОшибку("cannot pass function `%s` as a function argument", arg.вТкст0()); arg = new ErrorExp(); } err = да; } else if (checkNonAssignmentArrayOp(arg)) { arg = new ErrorExp(); err = да; } (*exps)[i] = arg; } } return err; } /******************************************** * Issue an error if default construction is disabled for тип t. * Default construction is required for arrays and 'out' parameters. * Возвращает: * да an error was issued */ private бул checkDefCtor(Место место, Тип t) { t = t.baseElemOf(); if (t.ty == Tstruct) { StructDeclaration sd = (cast(TypeStruct)t).sym; if (sd.noDefaultCtor) { sd.выведиОшибку(место, "default construction is disabled"); return да; } } return нет; } /**************************************** * Now that we know the exact тип of the function we're calling, * the arguments[] need to be adjusted: * 1. implicitly convert argument to the corresponding параметр тип * 2. add default arguments for any missing arguments * 3. do default promotions on arguments corresponding to ... * 4. add hidden _arguments[] argument * 5. call копируй constructor for struct значение arguments * Параметры: * место = location of function call * sc = context * tf = тип of the function * ethis = `this` argument, `null` if none or not known * tthis = тип of `this` argument, `null` if no `this` argument * arguments = массив of actual arguments to function call * fd = the function being called, `null` if called indirectly * prettype = set to return тип of function * peprefix = set to Выражение to execute before `arguments[]` are evaluated, `null` if none * Возвращает: * да errors happened */ private бул functionParameters(ref Место место, Scope* sc, TypeFunction tf, Выражение ethis, Тип tthis, Выражения* arguments, FuncDeclaration fd, Тип* prettype, Выражение* peprefix) { //printf("functionParameters() %s\n", fd ? fd.вТкст0() : ""); assert(arguments); assert(fd || tf.следщ); т_мера nargs = arguments ? arguments.dim : 0; const т_мера nparams = tf.parameterList.length; const olderrors = глоб2.errors; бул err = нет; *prettype = Тип.terror; Выражение eprefix = null; *peprefix = null; if (nargs > nparams && tf.parameterList.varargs == ВарАрг.none) { выведиОшибку(место, "expected %llu arguments, not %llu for non-variadic function тип `%s`", cast(бдол)nparams, cast(бдол)nargs, tf.вТкст0()); return да; } // If inferring return тип, and semantic3() needs to be run if not already run if (!tf.следщ && fd.inferRetType) { fd.functionSemantic(); } else if (fd && fd.родитель) { TemplateInstance ti = fd.родитель.isTemplateInstance(); if (ti && ti.tempdecl) { fd.functionSemantic3(); } } const isCtorCall = fd && fd.needThis() && fd.isCtorDeclaration(); const т_мера n = (nargs > nparams) ? nargs : nparams; // n = max(nargs, nparams) /* If the function return тип has wildcards in it, we'll need to figure out the actual тип * based on the actual argument types. * Start with the `this` argument, later on merge into wildmatch the mod bits of the rest * of the arguments. */ MOD wildmatch = (tthis && !isCtorCall) ? tthis.Тип.deduceWild(tf, нет) : 0; бул done = нет; foreach ( i; new бцел[0 .. n]) { Выражение arg = (i < nargs) ? (*arguments)[i] : null; if (i < nparams) { бул errorArgs() { выведиОшибку(место, "expected %llu function arguments, not %llu", cast(бдол)nparams, cast(бдол)nargs); return да; } Параметр2 p = tf.parameterList[i]; const бул isRef = (p.классХранения & (STC.ref_ | STC.out_)) != 0; if (!arg) { if (!p.defaultArg) { if (tf.parameterList.varargs == ВарАрг.typesafe && i + 1 == nparams) goto L2; return errorArgs(); } arg = p.defaultArg; arg = inlineCopy(arg, sc); // __FILE__, __LINE__, __MODULE__, __FUNCTION__, and __PRETTY_FUNCTION__ arg = arg.resolveLoc(место, sc); arguments.сунь(arg); nargs++; } else { if (arg.op == ТОК2.default_) { arg = arg.resolveLoc(место, sc); (*arguments)[i] = arg; } } if (isRef && !p.тип.isConst && !p.тип.isImmutable && (p.классХранения & STC.const_) != STC.const_ && (p.классХранения & STC.immutable_) != STC.immutable_ && checkIfIsStructLiteralDotExpr(arg)) break; if (tf.parameterList.varargs == ВарАрг.typesafe && i + 1 == nparams) // https://dlang.org/spec/function.html#variadic { //printf("\t\tvarargs == 2, p.тип = '%s'\n", p.тип.вТкст0()); { MATCH m; if ((m = arg.implicitConvTo(p.тип)) > MATCH.nomatch) { if (p.тип.nextOf() && arg.implicitConvTo(p.тип.nextOf()) >= m) goto L2; else if (nargs != nparams) return errorArgs(); goto L1; } } L2: Тип tb = p.тип.toBasetype(); switch (tb.ty) { case Tsarray: case Tarray: { /* Create a static массив variable v of тип arg.тип: * T[dim] __arrayArg = [ arguments[i], ..., arguments[nargs-1] ]; * * The массив literal in the инициализатор of the hidden variable * is now optimized. * https://issues.dlang.org/show_bug.cgi?ид=2356 */ Тип tbn = (cast(TypeArray)tb).следщ; // массив element тип Тип tret = p.isLazyArray(); auto elements = new Выражения(nargs - i); foreach (u; new бцел[0 .. elements.dim]) { Выражение a = (*arguments)[i + u]; if (tret && a.implicitConvTo(tret)) { // p is a lazy массив of delegates, tret is return тип of the delegates a = a.implicitCastTo(sc, tret) .optimize(WANTvalue) .toDelegate(tret, sc); } else a = a.implicitCastTo(sc, tbn); a = a.addDtorHook(sc); (*elements)[u] = a; } // https://issues.dlang.org/show_bug.cgi?ид=14395 // Convert to a static массив literal, or its slice. arg = new ArrayLiteralExp(место, tbn.sarrayOf(nargs - i), elements); if (tb.ty == Tarray) { arg = new SliceExp(место, arg, null, null); arg.тип = p.тип; } break; } case Tclass: { /* Set arg to be: * new Tclass(arg0, arg1, ..., argn) */ auto args = new Выражения(nargs - i); foreach (u; new бцел[i .. nargs]) (*args)[u - i] = (*arguments)[u]; arg = new NewExp(место, null, null, p.тип, args); break; } default: if (!arg) { выведиОшибку(место, "not enough arguments"); return да; } break; } arg = arg.ВыражениеSemantic(sc); //printf("\targ = '%s'\n", arg.вТкст0()); arguments.устДим(i + 1); (*arguments)[i] = arg; nargs = i + 1; done = да; } L1: if (!(p.классХранения & STC.lazy_ && p.тип.ty == Tvoid)) { if (ббайт wm = arg.тип.deduceWild(p.тип, isRef)) { wildmatch = wildmatch ? MODmerge(wildmatch, wm) : wm; //printf("[%d] p = %s, a = %s, wm = %d, wildmatch = %d\n", i, p.тип.вТкст0(), arg.тип.вТкст0(), wm, wildmatch); } } } if (done) break; } if ((wildmatch == MODFlags.mutable || wildmatch == MODFlags.immutable_) && tf.следщ && tf.следщ.hasWild() && (tf.isref || !tf.следщ.implicitConvTo(tf.следщ.immutableOf()))) { бул errorInout(MOD wildmatch) { ткст0 s = wildmatch == MODFlags.mutable ? "mutable" : MODtoChars(wildmatch); выведиОшибку(место, "modify `inout` to `%s` is not allowed inside `inout` function", s); return да; } if (fd) { /* If the called function may return the reference to * outer inout данные, it should be rejected. * * проц foo(ref inout(цел) x) { * ref inout(цел) bar(inout(цел)) { return x; } * struct S { * ref inout(цел) bar() inout { return x; } * ref inout(цел) baz(alias a)() inout { return x; } * } * bar(цел.init) = 1; // bad! * S().bar() = 1; // bad! * } * проц test() { * цел a; * auto s = foo(a); * s.baz!a() = 1; // bad! * } * */ бул checkEnclosingWild(ДСимвол s) { бул checkWild(ДСимвол s) { if (!s) return нет; if (auto ad = s.isAggregateDeclaration()) { if (ad.isNested()) return checkEnclosingWild(s); } else if (auto ff = s.isFuncDeclaration()) { if ((cast(TypeFunction)ff.тип).iswild) return errorInout(wildmatch); if (ff.isNested() || ff.isThis()) return checkEnclosingWild(s); } return нет; } ДСимвол ctx0 = s.toParent2(); ДСимвол ctx1 = s.toParentLocal(); if (checkWild(ctx0)) return да; if (ctx0 != ctx1) return checkWild(ctx1); return нет; } if ((fd.isThis() || fd.isNested()) && checkEnclosingWild(fd)) return да; } else if (tf.isWild()) return errorInout(wildmatch); } Выражение firstArg = ((tf.следщ && tf.следщ.ty == Tvoid || isCtorCall) && tthis && tthis.isMutable() && tthis.toBasetype().ty == Tstruct && tthis.hasPointers()) ? ethis : null; assert(nargs >= nparams); foreach ( i, arg; (*arguments)[0 .. nargs]) { assert(arg); if (i < nparams) { Параметр2 p = tf.parameterList[i]; Тип targ = arg.тип; // keep original тип for isCopyable() because alias this // resolution may hide an uncopyable тип if (!(p.классХранения & STC.lazy_ && p.тип.ty == Tvoid)) { Тип tprm = p.тип.hasWild() ? p.тип.substWildTo(wildmatch) : p.тип; const hasCopyCtor = (arg.тип.ty == Tstruct) && (cast(TypeStruct)arg.тип).sym.hasCopyCtor; const typesMatch = arg.тип.mutableOf().unSharedOf().равен(tprm.mutableOf().unSharedOf()); if (!((hasCopyCtor && typesMatch) || tprm.равен(arg.тип))) { //printf("arg.тип = %s, p.тип = %s\n", arg.тип.вТкст0(), p.тип.вТкст0()); arg = arg.implicitCastTo(sc, tprm); arg = arg.optimize(WANTvalue, (p.классХранения & (STC.ref_ | STC.out_)) != 0); } } if (p.классХранения & STC.ref_) { if (глоб2.парамы.rvalueRefParam && !arg.isLvalue() && targ.isCopyable()) { /* allow rvalues to be passed to ref parameters by copying * them to a temp, then pass the temp as the argument */ auto v = copyToTemp(0, "__rvalue", arg); Выражение ev = new DeclarationExp(arg.место, v); ev = new CommaExp(arg.место, ev, new VarExp(arg.место, v)); arg = ev.ВыражениеSemantic(sc); } arg = arg.toLvalue(sc, arg); // Look for mutable misaligned pointer, etc., in mode err |= checkUnsafeAccess(sc, arg, нет, да); } else if (p.классХранения & STC.out_) { Тип t = arg.тип; if (!t.isMutable() || !t.isAssignable()) // check blit assignable { arg.выведиОшибку("cannot modify struct `%s` with const члены", arg.вТкст0()); err = да; } else { // Look for misaligned pointer, etc., in mode err |= checkUnsafeAccess(sc, arg, нет, да); err |= checkDefCtor(arg.место, t); // t must be default constructible } arg = arg.toLvalue(sc, arg); } else if (p.классХранения & STC.lazy_) { // Convert lazy argument to a delegate auto t = (p.тип.ty == Tvoid) ? p.тип : arg.тип; arg = toDelegate(arg, t, sc); } //printf("arg: %s\n", arg.вТкст0()); //printf("тип: %s\n", arg.тип.вТкст0()); //printf("param: %s\n", p.вТкст0()); if (firstArg && p.классХранения & STC.return_) { /* Argument значение can be assigned to firstArg. * Check arg to see if it matters. */ if (глоб2.парамы.vsafe) err |= checkParamArgumentReturn(sc, firstArg, arg, нет); } else if (tf.parameterEscapes(tthis, p)) { /* Argument значение can ýñêàïèðóé from the called function. * Check arg to see if it matters. */ if (глоб2.парамы.vsafe) err |= checkParamArgumentEscape(sc, fd, p, arg, нет); } else { /* Argument значение cannot ýñêàïèðóé from the called function. */ Выражение a = arg; if (a.op == ТОК2.cast_) a = (cast(CastExp)a).e1; if (a.op == ТОК2.function_) { /* Function literals can only appear once, so if this * appearance was scoped, there cannot be any others. */ FuncExp fe = cast(FuncExp)a; fe.fd.tookAddressOf = 0; } else if (a.op == ТОК2.delegate_) { /* For passing a delegate to a scoped параметр, * this doesn't count as taking the address of it. * We only worry about 'escaping' references to the function. */ DelegateExp de = cast(DelegateExp)a; if (de.e1.op == ТОК2.variable) { VarExp ve = cast(VarExp)de.e1; FuncDeclaration f = ve.var.isFuncDeclaration(); if (f) { f.tookAddressOf--; //printf("--tookAddressOf = %d\n", f.tookAddressOf); } } } } if (!(p.классХранения & (STC.ref_ | STC.out_))) err |= arg.checkSharedAccess(sc); arg = arg.optimize(WANTvalue, (p.классХранения & (STC.ref_ | STC.out_)) != 0); /* Determine if this параметр is the "first reference" параметр through which * later "return" arguments can be stored. */ if (i == 0 && !tthis && p.классХранения & (STC.ref_ | STC.out_) && p.тип && (tf.следщ && tf.следщ.ty == Tvoid || isCtorCall)) { Тип tb = p.тип.baseElemOf(); if (tb.isMutable() && tb.hasPointers()) { firstArg = arg; } } } else { // These will be the trailing ... arguments // If not D компонаж, do promotions if (tf.компонаж != LINK.d) { // Promote bytes, words, etc., to ints arg = integralPromotions(arg, sc); // Promote floats to doubles switch (arg.тип.ty) { case Tfloat32: arg = arg.castTo(sc, Тип.tfloat64); break; case Timaginary32: arg = arg.castTo(sc, Тип.timaginary64); break; default: break; } if (tf.parameterList.varargs == ВарАрг.variadic) { ткст0 p = tf.компонаж == LINK.c ? "extern(C)" : "/*extern(C++)*/"; if (arg.тип.ty == Tarray) { arg.выведиОшибку("cannot pass dynamic arrays to `%s` vararg functions", p); err = да; } if (arg.тип.ty == Tsarray) { arg.выведиОшибку("cannot pass static arrays to `%s` vararg functions", p); err = да; } } } // Do not allow types that need destructors if (arg.тип.needsDestruction()) { arg.выведиОшибку("cannot pass types that need destruction as variadic arguments"); err = да; } // Convert static arrays to dynamic arrays // BUG: I don't think this is right for D2 Тип tb = arg.тип.toBasetype(); if (tb.ty == Tsarray) { TypeSArray ts = cast(TypeSArray)tb; Тип ta = ts.следщ.arrayOf(); if (ts.size(arg.место) == 0) arg = new NullExp(arg.место, ta); else arg = arg.castTo(sc, ta); } if (tb.ty == Tstruct) { //arg = callCpCtor(sc, arg); } // Give error for overloaded function addresses if (arg.op == ТОК2.symbolOffset) { SymOffExp se = cast(SymOffExp)arg; if (se.hasOverloads && !se.var.isFuncDeclaration().isUnique()) { arg.выведиОшибку("function `%s` is overloaded", arg.вТкст0()); err = да; } } err |= arg.checkValue(); err |= arg.checkSharedAccess(sc); arg = arg.optimize(WANTvalue); } (*arguments)[i] = arg; } /* Remaining problems: * 1. order of evaluation - some function сунь L-to-R, others R-to-L. Until we resolve what массив assignment does (which is * implemented by calling a function) we'll defer this for now. * 2. значение structs (or static arrays of them) that need to be копируй constructed * 3. значение structs (or static arrays of them) that have destructors, and subsequent arguments that may throw before the * function gets called (functions normally разрушь their parameters) * 2 and 3 are handled by doing the argument construction in 'eprefix' so that if a later argument throws, they are cleaned * up properly. Pushing arguments on the stack then cannot fail. */ { /* TODO: tackle problem 1) */ const бул leftToRight = да; // TODO: something like !fd.isArrayOp if (!leftToRight) assert(nargs == nparams); // no variadics for RTL order, as they would probably be evaluated LTR and so add complexity const ptrdiff_t start = (leftToRight ? 0 : cast(ptrdiff_t)nargs - 1); const ptrdiff_t end = (leftToRight ? cast(ptrdiff_t)nargs : -1); const ptrdiff_t step = (leftToRight ? 1 : -1); /* Compute indices of last throwing argument and first arg needing destruction. * Used to not set up destructors unless an arg needs destruction on a throw * in a later argument. */ ptrdiff_t lastthrow = -1; ptrdiff_t firstdtor = -1; for (ptrdiff_t i = start; i != end; i += step) { Выражение arg = (*arguments)[i]; if (canThrow(arg, sc.func, нет)) lastthrow = i; if (firstdtor == -1 && arg.тип.needsDestruction()) { Параметр2 p = (i >= nparams ? null : tf.parameterList[i]); if (!(p && (p.классХранения & (STC.lazy_ | STC.ref_ | STC.out_)))) firstdtor = i; } } /* Does problem 3) apply to this call? */ const бул needsPrefix = (firstdtor >= 0 && lastthrow >= 0 && (lastthrow - firstdtor) * step > 0); /* If so, initialize 'eprefix' by declaring the gate */ VarDeclaration gate = null; if (needsPrefix) { // eprefix => бул __gate [= нет] Идентификатор2 idtmp = Идентификатор2.генерируйИд("__gate"); gate = new VarDeclaration(место, Тип.tбул, idtmp, null); gate.класс_хранения |= STC.temp | STC.ctfe | STC.volatile_; gate.dsymbolSemantic(sc); auto ae = new DeclarationExp(место, gate); eprefix = ae.ВыражениеSemantic(sc); } for (ptrdiff_t i = start; i != end; i += step) { Выражение arg = (*arguments)[i]; Параметр2 параметр = (i >= nparams ? null : tf.parameterList[i]); const бул isRef = (параметр && (параметр.классХранения & (STC.ref_ | STC.out_))); const бул isLazy = (параметр && (параметр.классХранения & STC.lazy_)); /* Skip lazy parameters */ if (isLazy) continue; /* Do we have a gate? Then we have a префикс and we're not yet past the last throwing arg. * Declare a temporary variable for this arg and приставь that declaration to 'eprefix', * which will implicitly take care of potential problem 2) for this arg. * 'eprefix' will therefore finally contain all args up to and including the last * potentially throwing arg, excluding all lazy parameters. */ if (gate) { const бул needsDtor = (!isRef && arg.тип.needsDestruction() && i != lastthrow); /* Declare temporary 'auto __pfx = arg' (needsDtor) or 'auto __pfy = arg' (!needsDtor) */ auto tmp = copyToTemp(0, needsDtor ? "__pfx" : "__pfy", !isRef ? arg : arg.addressOf()); tmp.dsymbolSemantic(sc); /* Modify the destructor so it only runs if gate==нет, i.e., * only if there was a throw while constructing the args */ if (!needsDtor) { if (tmp.edtor) { assert(i == lastthrow); tmp.edtor = null; } } else { // edtor => (__gate || edtor) assert(tmp.edtor); Выражение e = tmp.edtor; e = new LogicalExp(e.место, ТОК2.orOr, new VarExp(e.место, gate), e); tmp.edtor = e.ВыражениеSemantic(sc); //printf("edtor: %s\n", tmp.edtor.вТкст0()); } // eprefix => (eprefix, auto __pfx/y = arg) auto ae = new DeclarationExp(место, tmp); eprefix = Выражение.combine(eprefix, ae.ВыражениеSemantic(sc)); // arg => __pfx/y arg = new VarExp(место, tmp); arg = arg.ВыражениеSemantic(sc); if (isRef) { arg = new PtrExp(место, arg); arg = arg.ВыражениеSemantic(sc); } /* Last throwing arg? Then finalize eprefix => (eprefix, gate = да), * i.e., disable the dtors right after constructing the last throwing arg. * From now on, the callee will take care of destructing the args because * the args are implicitly moved into function parameters. * * Set gate to null to let the следщ iterations know they don't need to * приставь to eprefix anymore. */ if (i == lastthrow) { auto e = new AssignExp(gate.место, new VarExp(gate.место, gate), IntegerExp.createBool(да)); eprefix = Выражение.combine(eprefix, e.ВыражениеSemantic(sc)); gate = null; } } else { /* No gate, no префикс to приставь to. * Handle problem 2) by calling the копируй constructor for значение structs * (or static arrays of them) if appropriate. */ Тип tv = arg.тип.baseElemOf(); if (!isRef && tv.ty == Tstruct) arg = doCopyOrMove(sc, arg, параметр ? параметр.тип : null); } (*arguments)[i] = arg; } } //if (eprefix) printf("eprefix: %s\n", eprefix.вТкст0()); /* Test compliance with DIP1021 */ if (глоб2.парамы.useDIP1021 && tf.trust != TRUST.system && tf.trust != TRUST.trusted) err |= checkMutableArguments(sc, fd, tf, ethis, arguments, нет); // If D компонаж and variadic, add _arguments[] as first argument if (tf.isDstyleVariadic()) { assert(arguments.dim >= nparams); auto args = new Параметры(arguments.dim - nparams); for (т_мера i = 0; i < arguments.dim - nparams; i++) { auto arg = new Параметр2(STC.in_, (*arguments)[nparams + i].тип, null, null, null); (*args)[i] = arg; } auto tup = new КортежТипов(args); Выражение e = (new TypeidExp(место, tup)).ВыражениеSemantic(sc); arguments.вставь(0, e); } /* Determine function return тип: tret */ Тип tret = tf.следщ; if (isCtorCall) { //printf("[%s] fd = %s %s, %d %d %d\n", место.вТкст0(), fd.вТкст0(), fd.тип.вТкст0(), // wildmatch, tf.isWild(), fd.isReturnIsolated()); if (!tthis) { assert(sc.intypeof || глоб2.errors); tthis = fd.isThis().тип.addMod(fd.тип.mod); } if (tf.isWild() && !fd.isReturnIsolated()) { if (wildmatch) tret = tret.substWildTo(wildmatch); цел смещение; if (!tret.implicitConvTo(tthis) && !(MODimplicitConv(tret.mod, tthis.mod) && tret.isBaseOf(tthis, &смещение) && смещение == 0)) { ткст0 s1 = tret.isNaked() ? " mutable" : tret.modToChars(); ткст0 s2 = tthis.isNaked() ? " mutable" : tthis.modToChars(); .выведиОшибку(место, "`inout` constructor `%s` creates%s объект, not%s", fd.toPrettyChars(), s1, s2); err = да; } } tret = tthis; } else if (wildmatch && tret) { /* Adjust function return тип based on wildmatch */ //printf("wildmatch = x%x, tret = %s\n", wildmatch, tret.вТкст0()); tret = tret.substWildTo(wildmatch); } *prettype = tret; *peprefix = eprefix; return (err || olderrors != глоб2.errors); } /** * Determines whether a symbol represents a module or package * (Used as a helper for is(тип == module) and is(тип == package)) * * Параметры: * sym = the symbol to be checked * * Возвращает: * the symbol which `sym` represents (or `null` if it doesn't represent a `Package`) */ Package resolveIsPackage(ДСимвол sym) { Package pkg; if (Импорт imp = sym.isImport()) { if (imp.pkg is null) { .выведиОшибку(sym.место, "Internal Compiler Error: unable to process forward-referenced import `%s`", imp.вТкст0()); assert(0); } pkg = imp.pkg; } else if (auto mod = sym.isModule()) pkg = mod.isPackageFile ? mod.pkg : sym.isPackage(); else pkg = sym.isPackage(); if (pkg) pkg.resolvePKGunknown(); return pkg; } private Module loadStdMath() { Импорт impStdMath = null; if (!impStdMath) { auto a = new Идентификаторы(); a.сунь(Id.std); auto s = new Импорт(Место.initial, a, Id.math, null, нет); // Module.load will call fatal() if there's no std.math доступно. // Gag the error here, pushing the error handling to the caller. бцел errors = глоб2.startGagging(); s.load(null); if (s.mod) { s.mod.importAll(null); s.mod.dsymbolSemantic(null); } глоб2.endGagging(errors); impStdMath = s; } return impStdMath.mod; } private final class ВыражениеSemanticVisitor : Визитор2 { alias Визитор2.посети посети; Scope* sc; Выражение результат; this(Scope* sc) { this.sc = sc; } private проц setError() { результат = new ErrorExp(); } /************************** * Semantically analyze Выражение. * Determine types, fold constants, etc. */ override проц посети(Выражение e) { static if (LOGSEMANTIC) { printf("Выражение::semantic() %s\n", e.вТкст0()); } if (e.тип) e.тип = e.тип.typeSemantic(e.место, sc); else e.тип = Тип.tvoid; результат = e; } override проц посети(IntegerExp e) { assert(e.тип); if (e.тип.ty == Terror) return setError(); assert(e.тип.deco); e.setInteger(e.getInteger()); результат = e; } override проц посети(RealExp e) { if (!e.тип) e.тип = Тип.tfloat64; else e.тип = e.тип.typeSemantic(e.место, sc); результат = e; } override проц посети(ComplexExp e) { if (!e.тип) e.тип = Тип.tcomplex80; else e.тип = e.тип.typeSemantic(e.место, sc); результат = e; } override проц посети(IdentifierExp exp) { static if (LOGSEMANTIC) { printf("IdentifierExp::semantic('%s')\n", exp.идент.вТкст0()); } if (exp.тип) // This is используется as the dummy Выражение { результат = exp; return; } ДСимвол scopesym; ДСимвол s = sc.search(exp.место, exp.идент, &scopesym); if (s) { if (s.errors) return setError(); Выражение e; /* See if the symbol was a member of an enclosing 'with' */ WithScopeSymbol withsym = scopesym.isWithScopeSymbol(); if (withsym && withsym.withstate.wthis) { /* Disallow shadowing */ // First найди the scope of the with Scope* scwith = sc; while (scwith.scopesym != scopesym) { scwith = scwith.enclosing; assert(scwith); } // Look at enclosing scopes for symbols with the same имя, // in the same function for (Scope* scx = scwith; scx && scx.func == scwith.func; scx = scx.enclosing) { ДСимвол s2; if (scx.scopesym && scx.scopesym.symtab && (s2 = scx.scopesym.symtab.lookup(s.идент)) !is null && s != s2) { exp.выведиОшибку("with symbol `%s` is shadowing local symbol `%s`", s.toPrettyChars(), s2.toPrettyChars()); return setError(); } } s = s.toAlias(); // Same as wthis.идент // TODO: DotIdExp.semantic will найди 'идент' from 'wthis' again. // The redudancy should be removed. e = new VarExp(exp.место, withsym.withstate.wthis); e = new DotIdExp(exp.место, e, exp.идент); e = e.ВыражениеSemantic(sc); } else { if (withsym) { if (auto t = withsym.withstate.exp.isTypeExp()) { e = new TypeExp(exp.место, t.тип); e = new DotIdExp(exp.место, e, exp.идент); результат = e.ВыражениеSemantic(sc); return; } } /* If f is really a function template, * then replace f with the function template declaration. */ FuncDeclaration f = s.isFuncDeclaration(); if (f) { TemplateDeclaration td = getFuncTemplateDecl(f); if (td) { if (td.overroot) // if not start of overloaded list of TemplateDeclaration's td = td.overroot; // then get the start e = new TemplateExp(exp.место, td, f); e = e.ВыражениеSemantic(sc); результат = e; return; } } if (глоб2.парамы.fixAliasThis) { ВыражениеDsymbol expDsym = scopesym.isВыражениеDsymbol(); if (expDsym) { //printf("expDsym = %s\n", expDsym.exp.вТкст0()); результат = expDsym.exp.ВыражениеSemantic(sc); return; } } // Haven't done overload resolution yet, so pass 1 e = symbolToExp(s, exp.место, sc, да); } результат = e; return; } if (!глоб2.парамы.fixAliasThis && hasThis(sc)) { for (AggregateDeclaration ad = sc.getStructClassScope(); ad;) { if (ad.aliasthis) { Выражение e; e = new ThisExp(exp.место); e = new DotIdExp(exp.место, e, ad.aliasthis.идент); e = new DotIdExp(exp.место, e, exp.идент); e = e.trySemantic(sc); if (e) { результат = e; return; } } auto cd = ad.isClassDeclaration(); if (cd && cd.baseClass && cd.baseClass != ClassDeclaration.объект) { ad = cd.baseClass; continue; } break; } } if (exp.идент == Id.ctfe) { if (sc.flags & SCOPE.ctfe) { exp.выведиОшибку("variable `__ctfe` cannot be читай at compile time"); return setError(); } // Create the magic __ctfe бул variable auto vd = new VarDeclaration(exp.место, Тип.tбул, Id.ctfe, null); vd.класс_хранения |= STC.temp; vd.semanticRun = PASS.semanticdone; Выражение e = new VarExp(exp.место, vd); e = e.ВыражениеSemantic(sc); результат = e; return; } // If we've reached this point and are inside a with() scope then we may // try one last attempt by checking whether the 'wthis' объект supports // dynamic dispatching via opDispatch. // This is done by rewriting this Выражение as wthis.идент. // The innermost with() scope of the hierarchy to satisfy the условие // above wins. // https://issues.dlang.org/show_bug.cgi?ид=6400 for (Scope* sc2 = sc; sc2; sc2 = sc2.enclosing) { if (!sc2.scopesym) continue; if (auto ss = sc2.scopesym.isWithScopeSymbol()) { if (ss.withstate.wthis) { Выражение e; e = new VarExp(exp.место, ss.withstate.wthis); e = new DotIdExp(exp.место, e, exp.идент); e = e.trySemantic(sc); if (e) { результат = e; return; } } // Try Тип.opDispatch (so the static version) else if (ss.withstate.exp && ss.withstate.exp.op == ТОК2.тип) { if (Тип t = ss.withstate.exp.isTypeExp().тип) { Выражение e; e = new TypeExp(exp.место, t); e = new DotIdExp(exp.место, e, exp.идент); e = e.trySemantic(sc); if (e) { результат = e; return; } } } } } /* Look for what user might have meant */ if(auto n = importHint(exp.идент.вТкст())) exp.выведиОшибку("`%s` is not defined, perhaps `import %.*s;` is needed?", exp.идент.вТкст0(), cast(цел)n.length, n.ptr); else if (auto s2 = sc.search_correct(exp.идент)) exp.выведиОшибку("undefined идентификатор `%s`, did you mean %s `%s`?", exp.идент.вТкст0(), s2.вид(), s2.вТкст0()); else if(auto p = Scope.search_correct_C(exp.идент)) exp.выведиОшибку("undefined идентификатор `%s`, did you mean `%s`?", exp.идент.вТкст0(), p); else exp.выведиОшибку("undefined идентификатор `%s`", exp.идент.вТкст0()); результат = new ErrorExp(); } override проц посети(DsymbolExp e) { результат = symbolToExp(e.s, e.место, sc, e.hasOverloads); } override проц посети(ThisExp e) { static if (LOGSEMANTIC) { printf("ThisExp::semantic()\n"); } if (e.тип) { результат = e; return; } FuncDeclaration fd = hasThis(sc); // fd is the uplevel function with the 'this' variable AggregateDeclaration ad; /* Special case for typeof(this) and typeof(super) since both * should work even if they are not inside a non-static member function */ if (!fd && sc.intypeof == 1) { // Find enclosing struct or class for (ДСимвол s = sc.getStructClassScope(); 1; s = s.родитель) { if (!s) { e.выведиОшибку("`%s` is not in a class or struct scope", e.вТкст0()); goto Lerr; } ClassDeclaration cd = s.isClassDeclaration(); if (cd) { e.тип = cd.тип; результат = e; return; } StructDeclaration sd = s.isStructDeclaration(); if (sd) { e.тип = sd.тип; результат = e; return; } } } if (!fd) goto Lerr; assert(fd.vthis); e.var = fd.vthis; assert(e.var.родитель); ad = fd.isMemberLocal(); if (!ad) ad = fd.isMember2(); assert(ad); e.тип = ad.тип.addMod(e.var.тип.mod); if (e.var.checkNestedReference(sc, e.место)) return setError(); результат = e; return; Lerr: e.выведиОшибку("`this` is only defined in non-static member functions, not `%s`", sc.родитель.вТкст0()); результат = new ErrorExp(); } override проц посети(SuperExp e) { static if (LOGSEMANTIC) { printf("SuperExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } FuncDeclaration fd = hasThis(sc); ClassDeclaration cd; ДСимвол s; /* Special case for typeof(this) and typeof(super) since both * should work even if they are not inside a non-static member function */ if (!fd && sc.intypeof == 1) { // Find enclosing class for (s = sc.getStructClassScope(); 1; s = s.родитель) { if (!s) { e.выведиОшибку("`%s` is not in a class scope", e.вТкст0()); goto Lerr; } cd = s.isClassDeclaration(); if (cd) { cd = cd.baseClass; if (!cd) { e.выведиОшибку("class `%s` has no `super`", s.вТкст0()); goto Lerr; } e.тип = cd.тип; результат = e; return; } } } if (!fd) goto Lerr; e.var = fd.vthis; assert(e.var && e.var.родитель); s = fd.toParentDecl(); if (s.isTemplateDeclaration()) // allow inside template constraint s = s.toParent(); assert(s); cd = s.isClassDeclaration(); //printf("родитель is %s %s\n", fd.toParent().вид(), fd.toParent().вТкст0()); if (!cd) goto Lerr; if (!cd.baseClass) { e.выведиОшибку("no base class for `%s`", cd.вТкст0()); e.тип = cd.тип.addMod(e.var.тип.mod); } else { e.тип = cd.baseClass.тип; e.тип = e.тип.castMod(e.var.тип.mod); } if (e.var.checkNestedReference(sc, e.место)) return setError(); результат = e; return; Lerr: e.выведиОшибку("`super` is only allowed in non-static class member functions"); результат = new ErrorExp(); } override проц посети(NullExp e) { static if (LOGSEMANTIC) { printf("NullExp::semantic('%s')\n", e.вТкст0()); } // NULL is the same as (проц *)0 if (e.тип) { результат = e; return; } e.тип = Тип.tnull; результат = e; } override проц посети(StringExp e) { static if (LOGSEMANTIC) { printf("StringExp::semantic() %s\n", e.вТкст0()); } if (e.тип) { результат = e; return; } БуфВыв буфер; т_мера newlen = 0; т_мера u; dchar c; switch (e.postfix) { case 'd': for (u = 0; u < e.len;) { if(auto p = utf_decodeChar(e.peekString(), u, c)) { e.выведиОшибку("%.*s", cast(цел)p.length, p.ptr); return setError(); } else { буфер.пиши4(c); newlen++; } } буфер.пиши4(0); e.setData(буфер.извлекиДанные(), newlen, 4); e.тип = new TypeDArray(Тип.tdchar.immutableOf()); e.committed = 1; break; case 'w': for (u = 0; u < e.len;) { if(auto p = utf_decodeChar(e.peekString(), u, c)) { e.выведиОшибку("%.*s", cast(цел)p.length, p.ptr); return setError(); } else { буфер.пишиЮ16(c); newlen++; if (c >= 0x10000) newlen++; } } буфер.пишиЮ16(0); e.setData(буфер.извлекиДанные(), newlen, 2); e.тип = new TypeDArray(Тип.twchar.immutableOf()); e.committed = 1; break; case 'c': e.committed = 1; goto default; default: e.тип = new TypeDArray(Тип.tchar.immutableOf()); break; } e.тип = e.тип.typeSemantic(e.место, sc); //тип = тип.immutableOf(); //printf("тип = %s\n", тип.вТкст0()); результат = e; } override проц посети(TupleExp exp) { static if (LOGSEMANTIC) { printf("+TupleExp::semantic(%s)\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (exp.e0) exp.e0 = exp.e0.ВыражениеSemantic(sc); // Run semantic() on each argument бул err = нет; for (т_мера i = 0; i < exp.exps.dim; i++) { Выражение e = (*exp.exps)[i]; e = e.ВыражениеSemantic(sc); if (!e.тип) { exp.выведиОшибку("`%s` has no значение", e.вТкст0()); err = да; } else if (e.op == ТОК2.error) err = да; else (*exp.exps)[i] = e; } if (err) return setError(); expandTuples(exp.exps); exp.тип = new КортежТипов(exp.exps); exp.тип = exp.тип.typeSemantic(exp.место, sc); //printf("-TupleExp::semantic(%s)\n", вТкст0()); результат = exp; } override проц посети(ArrayLiteralExp e) { static if (LOGSEMANTIC) { printf("ArrayLiteralExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } /* Perhaps an empty массив literal [ ] should be rewritten as null? */ if (e.basis) e.basis = e.basis.ВыражениеSemantic(sc); if (arrayВыражениеSemantic(e.elements, sc) || (e.basis && e.basis.op == ТОК2.error)) return setError(); expandTuples(e.elements); Тип t0; if (e.basis) e.elements.сунь(e.basis); бул err = arrayВыражениеToCommonType(sc, e.elements, &t0); if (e.basis) e.basis = e.elements.вынь(); if (err) return setError(); e.тип = t0.arrayOf(); e.тип = e.тип.typeSemantic(e.место, sc); /* Disallow массив literals of тип проц being используется. */ if (e.elements.dim > 0 && t0.ty == Tvoid) { e.выведиОшибку("`%s` of тип `%s` has no значение", e.вТкст0(), e.тип.вТкст0()); return setError(); } if (глоб2.парамы.useTypeInfo && Тип.dtypeinfo) semanticTypeInfo(sc, e.тип); результат = e; } override проц посети(AssocArrayLiteralExp e) { static if (LOGSEMANTIC) { printf("AssocArrayLiteralExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } // Run semantic() on each element бул err_keys = arrayВыражениеSemantic(e.keys, sc); бул err_vals = arrayВыражениеSemantic(e.values, sc); if (err_keys || err_vals) return setError(); expandTuples(e.keys); expandTuples(e.values); if (e.keys.dim != e.values.dim) { e.выведиОшибку("number of keys is %u, must match number of values %u", e.keys.dim, e.values.dim); return setError(); } Тип tkey = null; Тип tvalue = null; err_keys = arrayВыражениеToCommonType(sc, e.keys, &tkey); err_vals = arrayВыражениеToCommonType(sc, e.values, &tvalue); if (err_keys || err_vals) return setError(); if (tkey == Тип.terror || tvalue == Тип.terror) return setError(); e.тип = new TypeAArray(tvalue, tkey); e.тип = e.тип.typeSemantic(e.место, sc); semanticTypeInfo(sc, e.тип); if (глоб2.парамы.vsafe) { if (checkAssocArrayLiteralEscape(sc, e, нет)) return setError(); } результат = e; } override проц посети(StructLiteralExp e) { static if (LOGSEMANTIC) { printf("StructLiteralExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } e.sd.size(e.место); if (e.sd.sizeok != Sizeok.done) return setError(); // run semantic() on each element if (arrayВыражениеSemantic(e.elements, sc)) return setError(); expandTuples(e.elements); /* Fit elements[] to the corresponding тип of field[]. */ if (!e.sd.fit(e.место, sc, e.elements, e.stype)) return setError(); /* Fill out remainder of elements[] with default initializers for fields[] */ if (!e.sd.fill(e.место, e.elements, нет)) { /* An error in the инициализатор needs to be recorded as an error * in the enclosing function or template, since the инициализатор * will be part of the stuct declaration. */ глоб2.increaseErrorCount(); return setError(); } if (checkFrameAccess(e.место, sc, e.sd, e.elements.dim)) return setError(); e.тип = e.stype ? e.stype : e.sd.тип; результат = e; } override проц посети(TypeExp exp) { if (exp.тип.ty == Terror) return setError(); //printf("TypeExp::semantic(%s)\n", тип.вТкст0()); Выражение e; Тип t; ДСимвол s; dmd.typesem.resolve(exp.тип, exp.место, sc, &e, &t, &s, да); if (e) { // `(Тип)` is actually `(var)` so if `(var)` is a member requiring `this` // then rewrite as `(this.var)` in case it would be followed by a DotVar // to fix https://issues.dlang.org/show_bug.cgi?ид=9490 VarExp ve = e.isVarExp(); if (ve && ve.var && exp.parens && !ve.var.isStatic() && !(sc.stc & STC.static_) && sc.func && sc.func.needThis && ve.var.toParent2().isAggregateDeclaration()) { // printf("apply fix for issue 9490: add `this.` to `%s`...\n", e.вТкст0()); e = new DotVarExp(exp.место, new ThisExp(exp.место), ve.var, нет); } //printf("e = %s %s\n", Сема2::вТкст0(e.op), e.вТкст0()); e = e.ВыражениеSemantic(sc); } else if (t) { //printf("t = %d %s\n", t.ty, t.вТкст0()); exp.тип = t.typeSemantic(exp.место, sc); e = exp; } else if (s) { //printf("s = %s %s\n", s.вид(), s.вТкст0()); e = symbolToExp(s, exp.место, sc, да); } else assert(0); if (глоб2.парамы.vcomplex) exp.тип.checkComplexTransition(exp.место, sc); результат = e; } override проц посети(ScopeExp exp) { static if (LOGSEMANTIC) { printf("+ScopeExp::semantic(%p '%s')\n", exp, exp.вТкст0()); } if (exp.тип) { результат = exp; return; } ScopeDsymbol sds2 = exp.sds; TemplateInstance ti = sds2.isTemplateInstance(); while (ti) { WithScopeSymbol withsym; if (!ti.findTempDecl(sc, &withsym) || !ti.semanticTiargs(sc)) return setError(); if (withsym && withsym.withstate.wthis) { Выражение e = new VarExp(exp.место, withsym.withstate.wthis); e = new DotTemplateInstanceExp(exp.место, e, ti); результат = e.ВыражениеSemantic(sc); return; } if (ti.needsTypeInference(sc)) { if (TemplateDeclaration td = ti.tempdecl.isTemplateDeclaration()) { ДСимвол p = td.toParentLocal(); FuncDeclaration fdthis = hasThis(sc); AggregateDeclaration ad = p ? p.isAggregateDeclaration() : null; if (fdthis && ad && fdthis.isMemberLocal() == ad && (td._scope.stc & STC.static_) == 0) { Выражение e = new DotTemplateInstanceExp(exp.место, new ThisExp(exp.место), ti.имя, ti.tiargs); результат = e.ВыражениеSemantic(sc); return; } } else if (OverloadSet ос = ti.tempdecl.isOverloadSet()) { FuncDeclaration fdthis = hasThis(sc); AggregateDeclaration ad = ос.родитель.isAggregateDeclaration(); if (fdthis && ad && fdthis.isMemberLocal() == ad) { Выражение e = new DotTemplateInstanceExp(exp.место, new ThisExp(exp.место), ti.имя, ti.tiargs); результат = e.ВыражениеSemantic(sc); return; } } // ti is an instance which requires IFTI. exp.sds = ti; exp.тип = Тип.tvoid; результат = exp; return; } ti.dsymbolSemantic(sc); if (!ti.inst || ti.errors) return setError(); ДСимвол s = ti.toAlias(); if (s == ti) { exp.sds = ti; exp.тип = Тип.tvoid; результат = exp; return; } sds2 = s.isScopeDsymbol(); if (sds2) { ti = sds2.isTemplateInstance(); //printf("+ sds2 = %s, '%s'\n", sds2.вид(), sds2.вТкст0()); continue; } if (auto v = s.isVarDeclaration()) { if (!v.тип) { exp.выведиОшибку("forward reference of %s `%s`", v.вид(), v.вТкст0()); return setError(); } if ((v.класс_хранения & STC.manifest) && v._иниц) { /* When an instance that will be converted to a constant exists, * the instance representation "foo!tiargs" is treated like a * variable имя, and its recursive appearance check (note that * it's equivalent with a recursive instantiation of foo) is done * separately from the circular initialization check for the * eponymous enum variable declaration. * * template foo(T) { * enum бул foo = foo; // recursive definition check (v.inuse) * } * template bar(T) { * enum бул bar = bar!T; // recursive instantiation check (ti.inuse) * } */ if (ti.inuse) { exp.выведиОшибку("recursive expansion of %s `%s`", ti.вид(), ti.toPrettyChars()); return setError(); } v.checkDeprecated(exp.место, sc); auto e = v.expandInitializer(exp.место); ti.inuse++; e = e.ВыражениеSemantic(sc); ti.inuse--; результат = e; return; } } //printf("s = %s, '%s'\n", s.вид(), s.вТкст0()); auto e = symbolToExp(s, exp.место, sc, да); //printf("-1ScopeExp::semantic()\n"); результат = e; return; } //printf("sds2 = %s, '%s'\n", sds2.вид(), sds2.вТкст0()); //printf("\tparent = '%s'\n", sds2.родитель.вТкст0()); sds2.dsymbolSemantic(sc); // (Aggregate|Enum)Declaration if (auto t = sds2.getType()) { результат = (new TypeExp(exp.место, t)).ВыражениеSemantic(sc); return; } if (auto td = sds2.isTemplateDeclaration()) { результат = (new TemplateExp(exp.место, td)).ВыражениеSemantic(sc); return; } exp.sds = sds2; exp.тип = Тип.tvoid; //printf("-2ScopeExp::semantic() %s\n", вТкст0()); результат = exp; } override проц посети(NewExp exp) { static if (LOGSEMANTIC) { printf("NewExp::semantic() %s\n", exp.вТкст0()); if (exp.thisexp) printf("\tthisexp = %s\n", exp.thisexp.вТкст0()); printf("\tnewtype: %s\n", exp.newtype.вТкст0()); } if (exp.тип) // if semantic() already run { результат = exp; return; } //for error messages if the argument in [] is not convertible to т_мера const originalNewtype = exp.newtype; // https://issues.dlang.org/show_bug.cgi?ид=11581 // With the syntax `new T[edim]` or `thisexp.new T[edim]`, // T should be analyzed first and edim should go into arguments iff it's // not a кортеж. Выражение edim = null; if (!exp.arguments && exp.newtype.ty == Tsarray) { edim = (cast(TypeSArray)exp.newtype).dim; exp.newtype = (cast(TypeNext)exp.newtype).следщ; } ClassDeclaration cdthis = null; if (exp.thisexp) { exp.thisexp = exp.thisexp.ВыражениеSemantic(sc); if (exp.thisexp.op == ТОК2.error) return setError(); cdthis = exp.thisexp.тип.isClassHandle(); if (!cdthis) { exp.выведиОшибку("`this` for nested class must be a class тип, not `%s`", exp.thisexp.тип.вТкст0()); return setError(); } sc = sc.сунь(cdthis); exp.тип = exp.newtype.typeSemantic(exp.место, sc); sc = sc.вынь(); } else { exp.тип = exp.newtype.typeSemantic(exp.место, sc); } if (exp.тип.ty == Terror) return setError(); if (edim) { if (exp.тип.toBasetype().ty == Ttuple) { // --> new T[edim] exp.тип = new TypeSArray(exp.тип, edim); exp.тип = exp.тип.typeSemantic(exp.место, sc); if (exp.тип.ty == Terror) return setError(); } else { // --> new T[](edim) exp.arguments = new Выражения(); exp.arguments.сунь(edim); exp.тип = exp.тип.arrayOf(); } } exp.newtype = exp.тип; // in case тип gets cast to something else Тип tb = exp.тип.toBasetype(); //printf("tb: %s, deco = %s\n", tb.вТкст0(), tb.deco); if (arrayВыражениеSemantic(exp.newargs, sc) || preFunctionParameters(sc, exp.newargs)) { return setError(); } if (arrayВыражениеSemantic(exp.arguments, sc)) { return setError(); } //https://issues.dlang.org/show_bug.cgi?ид=20547 //exp.arguments are the "parameters" to [], not to a real function //so the errors that come from preFunctionParameters are misleading if (originalNewtype.ty == Tsarray) { if (preFunctionParameters(sc, exp.arguments, нет)) { exp.выведиОшибку("cannot создай a `%s` with `new`", originalNewtype.вТкст0()); return setError(); } } else if (preFunctionParameters(sc, exp.arguments)) { return setError(); } if (exp.thisexp && tb.ty != Tclass) { exp.выведиОшибку("`.new` is only for allocating nested classes, not `%s`", tb.вТкст0()); return setError(); } const т_мера nargs = exp.arguments ? exp.arguments.dim : 0; Выражение newprefix = null; if (tb.ty == Tclass) { auto cd = (cast(TypeClass)tb).sym; cd.size(exp.место); if (cd.sizeok != Sizeok.done) return setError(); if (!cd.ctor) cd.ctor = cd.searchCtor(); if (cd.noDefaultCtor && !nargs && !cd.defaultCtor) { exp.выведиОшибку("default construction is disabled for тип `%s`", cd.тип.вТкст0()); return setError(); } if (cd.isInterfaceDeclaration()) { exp.выведиОшибку("cannot создай instance of interface `%s`", cd.вТкст0()); return setError(); } if (cd.isAbstract()) { exp.выведиОшибку("cannot создай instance of abstract class `%s`", cd.вТкст0()); for (т_мера i = 0; i < cd.vtbl.dim; i++) { FuncDeclaration fd = cd.vtbl[i].isFuncDeclaration(); if (fd && fd.isAbstract()) { errorSupplemental(exp.место, "function `%s` is not implemented", fd.toFullSignature()); } } return setError(); } // checkDeprecated() is already done in newtype.typeSemantic(). if (cd.isNested()) { /* We need a 'this' pointer for the nested class. * Гарант we have the right one. */ ДСимвол s = cd.toParentLocal(); //printf("cd isNested, родитель = %s '%s'\n", s.вид(), s.toPrettyChars()); if (auto cdn = s.isClassDeclaration()) { if (!cdthis) { // Supply an implicit 'this' and try again exp.thisexp = new ThisExp(exp.место); for (ДСимвол sp = sc.родитель; 1; sp = sp.toParentLocal()) { if (!sp) { exp.выведиОшибку("outer class `%s` `this` needed to `new` nested class `%s`", cdn.вТкст0(), cd.вТкст0()); return setError(); } ClassDeclaration cdp = sp.isClassDeclaration(); if (!cdp) continue; if (cdp == cdn || cdn.isBaseOf(cdp, null)) break; // Add a '.outer' and try again exp.thisexp = new DotIdExp(exp.место, exp.thisexp, Id.outer); } exp.thisexp = exp.thisexp.ВыражениеSemantic(sc); if (exp.thisexp.op == ТОК2.error) return setError(); cdthis = exp.thisexp.тип.isClassHandle(); } if (cdthis != cdn && !cdn.isBaseOf(cdthis, null)) { //printf("cdthis = %s\n", cdthis.вТкст0()); exp.выведиОшибку("`this` for nested class must be of тип `%s`, not `%s`", cdn.вТкст0(), exp.thisexp.тип.вТкст0()); return setError(); } if (!MODimplicitConv(exp.thisexp.тип.mod, exp.newtype.mod)) { exp.выведиОшибку("nested тип `%s` should have the same or weaker constancy as enclosing тип `%s`", exp.newtype.вТкст0(), exp.thisexp.тип.вТкст0()); return setError(); } } else if (exp.thisexp) { exp.выведиОшибку("`.new` is only for allocating nested classes"); return setError(); } else if (auto fdn = s.isFuncDeclaration()) { // make sure the родитель context fdn of cd is reachable from sc if (!ensureStaticLinkTo(sc.родитель, fdn)) { exp.выведиОшибку("outer function context of `%s` is needed to `new` nested class `%s`", fdn.toPrettyChars(), cd.toPrettyChars()); return setError(); } } else assert(0); } else if (exp.thisexp) { exp.выведиОшибку("`.new` is only for allocating nested classes"); return setError(); } if (cd.vthis2) { if (AggregateDeclaration ad2 = cd.isMember2()) { auto rez = new ThisExp(exp.место); Выражение te = rez.ВыражениеSemantic(sc); if (te.op != ТОК2.error) te = getRightThis(exp.место, sc, ad2, te, cd); if (te.op == ТОК2.error) { exp.выведиОшибку("need `this` of тип `%s` needed to `new` nested class `%s`", ad2.вТкст0(), cd.вТкст0()); return setError(); } } } if (cd.aggNew) { // Prepend the size argument to newargs[] Выражение e = new IntegerExp(exp.место, cd.size(exp.место), Тип.tт_мера); if (!exp.newargs) exp.newargs = new Выражения(); exp.newargs.shift(e); FuncDeclaration f = resolveFuncCall(exp.место, sc, cd.aggNew, null, tb, exp.newargs, FuncResolveFlag.standard); if (!f || f.errors) return setError(); checkFunctionAttributes(exp, sc, f); checkAccess(cd, exp.место, sc, f); TypeFunction tf = cast(TypeFunction)f.тип; Тип rettype; if (functionParameters(exp.место, sc, tf, null, null, exp.newargs, f, &rettype, &newprefix)) return setError(); exp.allocator = f.isNewDeclaration(); assert(exp.allocator); } else { if (exp.newargs && exp.newargs.dim) { exp.выведиОшибку("no allocator for `%s`", cd.вТкст0()); return setError(); } } if (cd.ctor) { FuncDeclaration f = resolveFuncCall(exp.место, sc, cd.ctor, null, tb, exp.arguments, FuncResolveFlag.standard); if (!f || f.errors) return setError(); checkFunctionAttributes(exp, sc, f); checkAccess(cd, exp.место, sc, f); TypeFunction tf = cast(TypeFunction)f.тип; if (!exp.arguments) exp.arguments = new Выражения(); if (functionParameters(exp.место, sc, tf, null, exp.тип, exp.arguments, f, &exp.тип, &exp.argprefix)) return setError(); exp.member = f.isCtorDeclaration(); assert(exp.member); } else { if (nargs) { exp.выведиОшибку("no constructor for `%s`", cd.вТкст0()); return setError(); } // https://issues.dlang.org/show_bug.cgi?ид=19941 // Run semantic on all field initializers to resolve any forward // references. This is the same as done for structs in sd.fill(). for (ClassDeclaration c = cd; c; c = c.baseClass) { foreach (v; c.fields) { if (v.inuse || v._scope is null || v._иниц is null || v._иниц.isVoidInitializer()) continue; v.inuse++; v._иниц = v._иниц.initializerSemantic(v._scope, v.тип, INITinterpret); v.inuse--; } } } } else if (tb.ty == Tstruct) { auto sd = (cast(TypeStruct)tb).sym; sd.size(exp.место); if (sd.sizeok != Sizeok.done) return setError(); if (!sd.ctor) sd.ctor = sd.searchCtor(); if (sd.noDefaultCtor && !nargs) { exp.выведиОшибку("default construction is disabled for тип `%s`", sd.тип.вТкст0()); return setError(); } // checkDeprecated() is already done in newtype.typeSemantic(). if (sd.aggNew) { // Prepend the бцел size argument to newargs[] Выражение e = new IntegerExp(exp.место, sd.size(exp.место), Тип.tт_мера); if (!exp.newargs) exp.newargs = new Выражения(); exp.newargs.shift(e); FuncDeclaration f = resolveFuncCall(exp.место, sc, sd.aggNew, null, tb, exp.newargs, FuncResolveFlag.standard); if (!f || f.errors) return setError(); checkFunctionAttributes(exp, sc, f); checkAccess(sd, exp.место, sc, f); TypeFunction tf = cast(TypeFunction)f.тип; Тип rettype; if (functionParameters(exp.место, sc, tf, null, null, exp.newargs, f, &rettype, &newprefix)) return setError(); exp.allocator = f.isNewDeclaration(); assert(exp.allocator); } else { if (exp.newargs && exp.newargs.dim) { exp.выведиОшибку("no allocator for `%s`", sd.вТкст0()); return setError(); } } if (sd.ctor && nargs) { FuncDeclaration f = resolveFuncCall(exp.место, sc, sd.ctor, null, tb, exp.arguments, FuncResolveFlag.standard); if (!f || f.errors) return setError(); checkFunctionAttributes(exp, sc, f); checkAccess(sd, exp.место, sc, f); TypeFunction tf = cast(TypeFunction)f.тип; if (!exp.arguments) exp.arguments = new Выражения(); if (functionParameters(exp.место, sc, tf, null, exp.тип, exp.arguments, f, &exp.тип, &exp.argprefix)) return setError(); exp.member = f.isCtorDeclaration(); assert(exp.member); if (checkFrameAccess(exp.место, sc, sd, sd.fields.dim)) return setError(); } else { if (!exp.arguments) exp.arguments = new Выражения(); if (!sd.fit(exp.место, sc, exp.arguments, tb)) return setError(); if (!sd.fill(exp.место, exp.arguments, нет)) return setError(); if (checkFrameAccess(exp.место, sc, sd, exp.arguments ? exp.arguments.dim : 0)) return setError(); /* Since a `new` allocation may ýñêàïèðóé, check each of the arguments for escaping */ if (глоб2.парамы.vsafe) { foreach (arg; *exp.arguments) { if (arg && checkNewEscape(sc, arg, нет)) return setError(); } } } exp.тип = exp.тип.pointerTo(); } else if (tb.ty == Tarray && nargs) { Тип tn = tb.nextOf().baseElemOf(); ДСимвол s = tn.toDsymbol(sc); AggregateDeclaration ad = s ? s.isAggregateDeclaration() : null; if (ad && ad.noDefaultCtor) { exp.выведиОшибку("default construction is disabled for тип `%s`", tb.nextOf().вТкст0()); return setError(); } for (т_мера i = 0; i < nargs; i++) { if (tb.ty != Tarray) { exp.выведиОшибку("too many arguments for массив"); return setError(); } Выражение arg = (*exp.arguments)[i]; arg = resolveProperties(sc, arg); arg = arg.implicitCastTo(sc, Тип.tт_мера); if (arg.op == ТОК2.error) return setError(); arg = arg.optimize(WANTvalue); if (arg.op == ТОК2.int64 && cast(sinteger_t)arg.toInteger() < 0) { exp.выведиОшибку("negative массив index `%s`", arg.вТкст0()); return setError(); } (*exp.arguments)[i] = arg; tb = (cast(TypeDArray)tb).следщ.toBasetype(); } } else if (tb.isscalar()) { if (!nargs) { } else if (nargs == 1) { Выражение e = (*exp.arguments)[0]; e = e.implicitCastTo(sc, tb); (*exp.arguments)[0] = e; } else { exp.выведиОшибку("more than one argument for construction of `%s`", exp.тип.вТкст0()); return setError(); } exp.тип = exp.тип.pointerTo(); } else { exp.выведиОшибку("cannot создай a `%s` with `new`", exp.тип.вТкст0()); return setError(); } //printf("NewExp: '%s'\n", вТкст0()); //printf("NewExp:тип '%s'\n", тип.вТкст0()); semanticTypeInfo(sc, exp.тип); if (newprefix) { результат = Выражение.combine(newprefix, exp); return; } результат = exp; } override проц посети(NewAnonClassExp e) { static if (LOGSEMANTIC) { printf("NewAnonClassExp::semantic() %s\n", e.вТкст0()); //printf("thisexp = %p\n", thisexp); //printf("тип: %s\n", тип.вТкст0()); } Выражение d = new DeclarationExp(e.место, e.cd); sc = sc.сунь(); // just создай new scope sc.flags &= ~SCOPE.ctfe; // temporary stop CTFE d = d.ВыражениеSemantic(sc); sc = sc.вынь(); if (!e.cd.errors && sc.intypeof && !sc.родитель.inNonRoot()) { ScopeDsymbol sds = sc.tinst ? cast(ScopeDsymbol)sc.tinst : sc._module; if (!sds.члены) sds.члены = new Дсимволы(); sds.члены.сунь(e.cd); } Выражение n = new NewExp(e.место, e.thisexp, e.newargs, e.cd.тип, e.arguments); Выражение c = new CommaExp(e.место, d, n); результат = c.ВыражениеSemantic(sc); } override проц посети(SymOffExp e) { static if (LOGSEMANTIC) { printf("SymOffExp::semantic('%s')\n", e.вТкст0()); } //var.dsymbolSemantic(sc); if (!e.тип) e.тип = e.var.тип.pointerTo(); if (auto v = e.var.isVarDeclaration()) { if (v.checkNestedReference(sc, e.место)) return setError(); } else if (auto f = e.var.isFuncDeclaration()) { if (f.checkNestedReference(sc, e.место)) return setError(); } результат = e; } override проц посети(VarExp e) { static if (LOGSEMANTIC) { printf("VarExp::semantic(%s)\n", e.вТкст0()); } auto vd = e.var.isVarDeclaration(); auto fd = e.var.isFuncDeclaration(); if (fd) { //printf("L%d fd = %s\n", __LINE__, f.вТкст0()); if (!fd.functionSemantic()) return setError(); } if (!e.тип) e.тип = e.var.тип; if (e.тип && !e.тип.deco) { auto decl = e.var.isDeclaration(); if (decl) decl.inuse++; e.тип = e.тип.typeSemantic(e.место, sc); if (decl) decl.inuse--; } /* Fix for 1161 doesn't work because it causes защита * problems when instantiating imported templates passing private * variables as alias template parameters. */ //checkAccess(место, sc, NULL, var); if (vd) { if (vd.checkNestedReference(sc, e.место)) return setError(); // https://issues.dlang.org/show_bug.cgi?ид=12025 // If the variable is not actually используется in runtime code, // the purity violation error is redundant. //checkPurity(sc, vd); } else if (fd) { // TODO: If fd isn't yet resolved its overload, the checkNestedReference // call would cause incorrect validation. // Maybe here should be moved in CallExp, or AddrExp for functions. if (fd.checkNestedReference(sc, e.место)) return setError(); } else if (auto od = e.var.isOverDeclaration()) { e.тип = Тип.tvoid; // ambiguous тип? } результат = e; } override проц посети(FuncExp exp) { static if (LOGSEMANTIC) { printf("FuncExp::semantic(%s)\n", exp.вТкст0()); if (exp.fd.treq) printf(" treq = %s\n", exp.fd.treq.вТкст0()); } if (exp.тип) { результат = exp; return; } Выражение e = exp; бцел olderrors; sc = sc.сунь(); // just создай new scope sc.flags &= ~SCOPE.ctfe; // temporary stop CTFE sc.защита = Prot(Prot.Kind.public_); // https://issues.dlang.org/show_bug.cgi?ид=12506 /* fd.treq might be incomplete тип, * so should not semantic it. * проц foo(T)(T delegate(цел) dg){} * foo(a=>a); // in IFTI, treq == T delegate(цел) */ //if (fd.treq) // fd.treq = fd.treq.dsymbolSemantic(место, sc); exp.genIdent(sc); // Set target of return тип inference if (exp.fd.treq && !exp.fd.тип.nextOf()) { TypeFunction tfv = null; if (exp.fd.treq.ty == Tdelegate || (exp.fd.treq.ty == Tpointer && exp.fd.treq.nextOf().ty == Tfunction)) tfv = cast(TypeFunction)exp.fd.treq.nextOf(); if (tfv) { TypeFunction tfl = cast(TypeFunction)exp.fd.тип; tfl.следщ = tfv.nextOf(); } } //printf("td = %p, treq = %p\n", td, fd.treq); if (exp.td) { assert(exp.td.parameters && exp.td.parameters.dim); exp.td.dsymbolSemantic(sc); exp.тип = Тип.tvoid; // temporary тип if (exp.fd.treq) // defer тип determination { FuncExp fe; if (exp.matchType(exp.fd.treq, sc, &fe) > MATCH.nomatch) e = fe; else e = new ErrorExp(); } goto Ldone; } olderrors = глоб2.errors; exp.fd.dsymbolSemantic(sc); if (olderrors == глоб2.errors) { exp.fd.semantic2(sc); if (olderrors == глоб2.errors) exp.fd.semantic3(sc); } if (olderrors != глоб2.errors) { if (exp.fd.тип && exp.fd.тип.ty == Tfunction && !exp.fd.тип.nextOf()) (cast(TypeFunction)exp.fd.тип).следщ = Тип.terror; e = new ErrorExp(); goto Ldone; } // Тип is a "delegate to" or "pointer to" the function literal if ((exp.fd.isNested() && exp.fd.tok == ТОК2.delegate_) || (exp.tok == ТОК2.reserved && exp.fd.treq && exp.fd.treq.ty == Tdelegate)) { exp.тип = new TypeDelegate(exp.fd.тип); exp.тип = exp.тип.typeSemantic(exp.место, sc); exp.fd.tok = ТОК2.delegate_; } else { exp.тип = new TypePointer(exp.fd.тип); exp.тип = exp.тип.typeSemantic(exp.место, sc); //тип = fd.тип.pointerTo(); /* A lambda Выражение deduced to function pointer might become * to a delegate literal implicitly. * * auto foo(проц function() fp) { return 1; } * assert(foo({}) == 1); * * So, should keep fd.tok == TOKreserve if fd.treq == NULL. */ if (exp.fd.treq && exp.fd.treq.ty == Tpointer) { // change to non-nested exp.fd.tok = ТОК2.function_; exp.fd.vthis = null; } } exp.fd.tookAddressOf++; Ldone: sc = sc.вынь(); результат = e; } // используется from CallExp::semantic() Выражение callExpSemantic(FuncExp exp, Scope* sc, Выражения* arguments) { if ((!exp.тип || exp.тип == Тип.tvoid) && exp.td && arguments && arguments.dim) { for (т_мера k = 0; k < arguments.dim; k++) { Выражение checkarg = (*arguments)[k]; if (checkarg.op == ТОК2.error) return checkarg; } exp.genIdent(sc); assert(exp.td.parameters && exp.td.parameters.dim); exp.td.dsymbolSemantic(sc); TypeFunction tfl = cast(TypeFunction)exp.fd.тип; т_мера dim = tfl.parameterList.length; if (arguments.dim < dim) { // Default arguments are always typed, so they don't need inference. Параметр2 p = tfl.parameterList[arguments.dim]; if (p.defaultArg) dim = arguments.dim; } if ((tfl.parameterList.varargs == ВарАрг.none && arguments.dim == dim) || (tfl.parameterList.varargs != ВарАрг.none && arguments.dim >= dim)) { auto tiargs = new Объекты(); tiargs.резервируй(exp.td.parameters.dim); for (т_мера i = 0; i < exp.td.parameters.dim; i++) { ПараметрШаблона2 tp = (*exp.td.parameters)[i]; for (т_мера u = 0; u < dim; u++) { Параметр2 p = tfl.parameterList[u]; if (p.тип.ty == Tident && (cast(TypeIdentifier)p.тип).идент == tp.идент) { Выражение e = (*arguments)[u]; tiargs.сунь(e.тип); u = dim; // break inner loop } } } auto ti = new TemplateInstance(exp.место, exp.td, tiargs); return (new ScopeExp(exp.место, ti)).ВыражениеSemantic(sc); } exp.выведиОшибку("cannot infer function literal тип"); return new ErrorExp(); } return exp.ВыражениеSemantic(sc); } override проц посети(CallExp exp) { static if (LOGSEMANTIC) { printf("CallExp::semantic() %s\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; // semantic() already run } Тип t1; Объекты* tiargs = null; // initial list of template arguments Выражение ethis = null; Тип tthis = null; Выражение e1org = exp.e1; if (exp.e1.op == ТОК2.comma) { /* Rewrite (a,b)(args) as (a,(b(args))) */ auto ce = cast(CommaExp)exp.e1; exp.e1 = ce.e2; ce.e2 = exp; результат = ce.ВыражениеSemantic(sc); return; } if (exp.e1.op == ТОК2.delegate_) { DelegateExp de = cast(DelegateExp)exp.e1; exp.e1 = new DotVarExp(de.место, de.e1, de.func, de.hasOverloads); посети(exp); return; } if (exp.e1.op == ТОК2.function_) { if (arrayВыражениеSemantic(exp.arguments, sc) || preFunctionParameters(sc, exp.arguments)) return setError(); // Run e1 semantic even if arguments have any errors FuncExp fe = cast(FuncExp)exp.e1; exp.e1 = callExpSemantic(fe, sc, exp.arguments); if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } } if (Выражение ex = resolveUFCS(sc, exp)) { результат = ex; return; } /* This recognizes: * foo!(tiargs)(funcargs) */ if (exp.e1.op == ТОК2.scope_) { ScopeExp se = cast(ScopeExp)exp.e1; TemplateInstance ti = se.sds.isTemplateInstance(); if (ti) { /* Attempt to instantiate ti. If that works, go with it. * If not, go with partial explicit specialization. */ WithScopeSymbol withsym; if (!ti.findTempDecl(sc, &withsym) || !ti.semanticTiargs(sc)) return setError(); if (withsym && withsym.withstate.wthis) { exp.e1 = new VarExp(exp.e1.место, withsym.withstate.wthis); exp.e1 = new DotTemplateInstanceExp(exp.e1.место, exp.e1, ti); goto Ldotti; } if (ti.needsTypeInference(sc, 1)) { /* Go with partial explicit specialization */ tiargs = ti.tiargs; assert(ti.tempdecl); if (TemplateDeclaration td = ti.tempdecl.isTemplateDeclaration()) exp.e1 = new TemplateExp(exp.место, td); else if (OverDeclaration od = ti.tempdecl.isOverDeclaration()) exp.e1 = new VarExp(exp.место, od); else exp.e1 = new OverExp(exp.место, ti.tempdecl.isOverloadSet()); } else { Выражение e1x = exp.e1.ВыражениеSemantic(sc); if (e1x.op == ТОК2.error) { результат = e1x; return; } exp.e1 = e1x; } } } /* This recognizes: * expr.foo!(tiargs)(funcargs) */ Ldotti: if (exp.e1.op == ТОК2.dotTemplateInstance && !exp.e1.тип) { DotTemplateInstanceExp se = cast(DotTemplateInstanceExp)exp.e1; TemplateInstance ti = se.ti; { /* Attempt to instantiate ti. If that works, go with it. * If not, go with partial explicit specialization. */ if (!se.findTempDecl(sc) || !ti.semanticTiargs(sc)) return setError(); if (ti.needsTypeInference(sc, 1)) { /* Go with partial explicit specialization */ tiargs = ti.tiargs; assert(ti.tempdecl); if (TemplateDeclaration td = ti.tempdecl.isTemplateDeclaration()) exp.e1 = new DotTemplateExp(exp.место, se.e1, td); else if (OverDeclaration od = ti.tempdecl.isOverDeclaration()) { exp.e1 = new DotVarExp(exp.место, se.e1, od, да); } else exp.e1 = new DotExp(exp.место, se.e1, new OverExp(exp.место, ti.tempdecl.isOverloadSet())); } else { Выражение e1x = exp.e1.ВыражениеSemantic(sc); if (e1x.op == ТОК2.error) { результат = e1x; return; } exp.e1 = e1x; } } } Lagain: //printf("Lagain: %s\n", вТкст0()); exp.f = null; if (exp.e1.op == ТОК2.this_ || exp.e1.op == ТОК2.super_) { // semantic() run later for these } else { if (exp.e1.op == ТОК2.dotIdentifier) { DotIdExp die = cast(DotIdExp)exp.e1; exp.e1 = die.ВыражениеSemantic(sc); /* Look for e1 having been rewritten to expr.opDispatch!(ткст) * We handle such earlier, so go back. * Note that in the rewrite, we carefully did not run semantic() on e1 */ if (exp.e1.op == ТОК2.dotTemplateInstance && !exp.e1.тип) { goto Ldotti; } } else { цел nest; if (++nest > глоб2.recursionLimit) { exp.выведиОшибку("recursive evaluation of `%s`", exp.вТкст0()); --nest; return setError(); } Выражение ex = unaSemantic(exp, sc); --nest; if (ex) { результат = ex; return; } } /* Look for e1 being a lazy параметр */ if (exp.e1.op == ТОК2.variable) { VarExp ve = cast(VarExp)exp.e1; if (ve.var.класс_хранения & STC.lazy_) { // lazy parameters can be called without violating purity and safety Тип tw = ve.var.тип; Тип tc = ve.var.тип.substWildTo(MODFlags.const_); auto tf = new TypeFunction(СписокПараметров(), tc, LINK.d, STC.safe | STC.pure_); (tf = cast(TypeFunction)tf.typeSemantic(exp.место, sc)).следщ = tw; // hack for bug7757 auto t = new TypeDelegate(tf); ve.тип = t.typeSemantic(exp.место, sc); } VarDeclaration v = ve.var.isVarDeclaration(); if (v && ve.checkPurity(sc, v)) return setError(); } if (exp.e1.op == ТОК2.symbolOffset && (cast(SymOffExp)exp.e1).hasOverloads) { SymOffExp se = cast(SymOffExp)exp.e1; exp.e1 = new VarExp(se.место, se.var, да); exp.e1 = exp.e1.ВыражениеSemantic(sc); } else if (exp.e1.op == ТОК2.dot) { DotExp de = cast(DotExp)exp.e1; if (de.e2.op == ТОК2.overloadSet) { ethis = de.e1; tthis = de.e1.тип; exp.e1 = de.e2; } } else if (exp.e1.op == ТОК2.star && exp.e1.тип.ty == Tfunction) { // Rewrite (*fp)(arguments) to fp(arguments) exp.e1 = (cast(PtrExp)exp.e1).e1; } } t1 = exp.e1.тип ? exp.e1.тип.toBasetype() : null; if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (arrayВыражениеSemantic(exp.arguments, sc) || preFunctionParameters(sc, exp.arguments)) return setError(); // Check for call operator overload if (t1) { if (t1.ty == Tstruct) { auto sd = (cast(TypeStruct)t1).sym; sd.size(exp.место); // Resolve forward references to construct объект if (sd.sizeok != Sizeok.done) return setError(); if (!sd.ctor) sd.ctor = sd.searchCtor(); /* If `sd.ctor` is a generated копируй constructor, this means that it is the single constructor that this struct has. In order to not disable default construction, the ctor is nullified. The side effect of this is that the generated копируй constructor cannot be called explicitly, but that is ok, because when calling a constructor the default constructor should have priority over the generated копируй constructor. */ if (sd.ctor) { auto ctor = sd.ctor.isCtorDeclaration(); if (ctor && ctor.isCpCtor && ctor.generated) sd.ctor = null; } // First look for constructor if (exp.e1.op == ТОК2.тип && sd.ctor) { if (!sd.noDefaultCtor && !(exp.arguments && exp.arguments.dim)) goto Lx; auto sle = new StructLiteralExp(exp.место, sd, null, exp.e1.тип); if (!sd.fill(exp.место, sle.elements, да)) return setError(); if (checkFrameAccess(exp.место, sc, sd, sle.elements.dim)) return setError(); // https://issues.dlang.org/show_bug.cgi?ид=14556 // Set concrete тип to avoid further redundant semantic(). sle.тип = exp.e1.тип; /* Constructor takes a mutable объект, so don't use * the const инициализатор symbol. */ sle.useStaticInit = нет; Выражение e = sle; if (auto cf = sd.ctor.isCtorDeclaration()) { e = new DotVarExp(exp.место, e, cf, да); } else if (auto td = sd.ctor.isTemplateDeclaration()) { e = new DotIdExp(exp.место, e, td.идент); } else if (auto ос = sd.ctor.isOverloadSet()) { e = new DotExp(exp.место, e, new OverExp(exp.место, ос)); } else assert(0); e = new CallExp(exp.место, e, exp.arguments); e = e.ВыражениеSemantic(sc); результат = e; return; } // No constructor, look for overload of opCall if (search_function(sd, Id.call)) goto L1; // overload of opCall, therefore it's a call if (exp.e1.op != ТОК2.тип) { if (sd.aliasthis && exp.e1.тип != exp.att1) { if (!exp.att1 && exp.e1.тип.checkAliasThisRec()) exp.att1 = exp.e1.тип; exp.e1 = resolveAliasThis(sc, exp.e1); goto Lagain; } exp.выведиОшибку("%s `%s` does not overload ()", sd.вид(), sd.вТкст0()); return setError(); } /* It's a struct literal */ Lx: Выражение e = new StructLiteralExp(exp.место, sd, exp.arguments, exp.e1.тип); e = e.ВыражениеSemantic(sc); результат = e; return; } else if (t1.ty == Tclass) { L1: // Rewrite as e1.call(arguments) Выражение e = new DotIdExp(exp.место, exp.e1, Id.call); e = new CallExp(exp.место, e, exp.arguments); e = e.ВыражениеSemantic(sc); результат = e; return; } else if (exp.e1.op == ТОК2.тип && t1.isscalar()) { Выражение e; // Make sure to use the the enum тип itself rather than its // base тип // https://issues.dlang.org/show_bug.cgi?ид=16346 if (exp.e1.тип.ty == Tenum) { t1 = exp.e1.тип; } if (!exp.arguments || exp.arguments.dim == 0) { e = t1.defaultInitLiteral(exp.место); } else if (exp.arguments.dim == 1) { e = (*exp.arguments)[0]; e = e.implicitCastTo(sc, t1); e = new CastExp(exp.место, e, t1); } else { exp.выведиОшибку("more than one argument for construction of `%s`", t1.вТкст0()); return setError(); } e = e.ВыражениеSemantic(sc); результат = e; return; } } static FuncDeclaration resolveOverloadSet(Место место, Scope* sc, OverloadSet ос, Объекты* tiargs, Тип tthis, Выражения* arguments) { FuncDeclaration f = null; foreach (s; ос.a) { if (tiargs && s.isFuncDeclaration()) continue; if (auto f2 = resolveFuncCall(место, sc, s, tiargs, tthis, arguments, FuncResolveFlag.quiet)) { if (f2.errors) return null; if (f) { /* Error if match in more than one overload set, * even if one is a 'better' match than the other. */ ScopeDsymbol.multiplyDefined(место, f, f2); } else f = f2; } } if (!f) .выведиОшибку(место, "no overload matches for `%s`", ос.вТкст0()); else if (f.errors) f = null; return f; } бул isSuper = нет; if (exp.e1.op == ТОК2.dotVariable && t1.ty == Tfunction || exp.e1.op == ТОК2.dotTemplateDeclaration) { UnaExp ue = cast(UnaExp)exp.e1; Выражение ue1 = ue.e1; Выражение ue1old = ue1; // need for 'right this' check VarDeclaration v; if (ue1.op == ТОК2.variable && (v = (cast(VarExp)ue1).var.isVarDeclaration()) !is null && v.needThis()) { ue.e1 = new TypeExp(ue1.место, ue1.тип); ue1 = null; } DotVarExp dve; DotTemplateExp dte; ДСимвол s; if (exp.e1.op == ТОК2.dotVariable) { dve = cast(DotVarExp)exp.e1; dte = null; s = dve.var; tiargs = null; } else { dve = null; dte = cast(DotTemplateExp)exp.e1; s = dte.td; } // Do overload resolution exp.f = resolveFuncCall(exp.место, sc, s, tiargs, ue1 ? ue1.тип : null, exp.arguments, FuncResolveFlag.standard); if (!exp.f || exp.f.errors || exp.f.тип.ty == Terror) return setError(); if (exp.f.interfaceVirtual) { /* Cast 'this' to the тип of the interface, and replace f with the interface's equivalent */ auto b = exp.f.interfaceVirtual; auto ad2 = b.sym; ue.e1 = ue.e1.castTo(sc, ad2.тип.addMod(ue.e1.тип.mod)); ue.e1 = ue.e1.ВыражениеSemantic(sc); ue1 = ue.e1; auto vi = exp.f.findVtblIndex(&ad2.vtbl, cast(цел)ad2.vtbl.dim); assert(vi >= 0); exp.f = ad2.vtbl[vi].isFuncDeclaration(); assert(exp.f); } if (exp.f.needThis()) { AggregateDeclaration ad = exp.f.toParentLocal().isAggregateDeclaration(); ue.e1 = getRightThis(exp.место, sc, ad, ue.e1, exp.f); if (ue.e1.op == ТОК2.error) { результат = ue.e1; return; } ethis = ue.e1; tthis = ue.e1.тип; if (!(exp.f.тип.ty == Tfunction && (cast(TypeFunction)exp.f.тип).isscope)) { if (глоб2.парамы.vsafe && checkParamArgumentEscape(sc, exp.f, null, ethis, нет)) return setError(); } } /* Cannot call public functions from inside invariant * (because then the invariant would have infinite recursion) */ if (sc.func && sc.func.isInvariantDeclaration() && ue.e1.op == ТОК2.this_ && exp.f.addPostInvariant()) { exp.выведиОшибку("cannot call `public`/`export` function `%s` from invariant", exp.f.вТкст0()); return setError(); } checkFunctionAttributes(exp, sc, exp.f); checkAccess(exp.место, sc, ue.e1, exp.f); if (!exp.f.needThis()) { exp.e1 = Выражение.combine(ue.e1, new VarExp(exp.место, exp.f, нет)); } else { if (ue1old.checkRightThis(sc)) return setError(); if (exp.e1.op == ТОК2.dotVariable) { dve.var = exp.f; exp.e1.тип = exp.f.тип; } else { exp.e1 = new DotVarExp(exp.место, dte.e1, exp.f, нет); exp.e1 = exp.e1.ВыражениеSemantic(sc); if (exp.e1.op == ТОК2.error) return setError(); ue = cast(UnaExp)exp.e1; } version (none) { printf("ue.e1 = %s\n", ue.e1.вТкст0()); printf("f = %s\n", exp.f.вТкст0()); printf("t = %s\n", t.вТкст0()); printf("e1 = %s\n", exp.e1.вТкст0()); printf("e1.тип = %s\n", exp.e1.тип.вТкст0()); } // See if we need to adjust the 'this' pointer AggregateDeclaration ad = exp.f.isThis(); ClassDeclaration cd = ue.e1.тип.isClassHandle(); if (ad && cd && ad.isClassDeclaration()) { if (ue.e1.op == ТОК2.dotType) { ue.e1 = (cast(DotTypeExp)ue.e1).e1; exp.directcall = да; } else if (ue.e1.op == ТОК2.super_) exp.directcall = да; else if ((cd.класс_хранения & STC.final_) != 0) // https://issues.dlang.org/show_bug.cgi?ид=14211 exp.directcall = да; if (ad != cd) { ue.e1 = ue.e1.castTo(sc, ad.тип.addMod(ue.e1.тип.mod)); ue.e1 = ue.e1.ВыражениеSemantic(sc); } } } // If we've got a pointer to a function then deference it // https://issues.dlang.org/show_bug.cgi?ид=16483 if (exp.e1.тип.ty == Tpointer && exp.e1.тип.nextOf().ty == Tfunction) { Выражение e = new PtrExp(exp.место, exp.e1); e.тип = exp.e1.тип.nextOf(); exp.e1 = e; } t1 = exp.e1.тип; } else if (exp.e1.op == ТОК2.super_ || exp.e1.op == ТОК2.this_) { auto ad = sc.func ? sc.func.isThis() : null; auto cd = ad ? ad.isClassDeclaration() : null; isSuper = exp.e1.op == ТОК2.super_; if (isSuper) { // Base class constructor call if (!cd || !cd.baseClass || !sc.func.isCtorDeclaration()) { exp.выведиОшибку("super class constructor call must be in a constructor"); return setError(); } if (!cd.baseClass.ctor) { exp.выведиОшибку("no super class constructor for `%s`", cd.baseClass.вТкст0()); return setError(); } } else { // `this` call Выражение must be inside a // constructor if (!ad || !sc.func.isCtorDeclaration()) { exp.выведиОшибку("constructor call must be in a constructor"); return setError(); } // https://issues.dlang.org/show_bug.cgi?ид=18719 // If `exp` is a call Выражение to another constructor // then it means that all struct/class fields will be // initialized after this call. foreach (ref field; sc.ctorflow.fieldinit) { field.csx |= CSX.this_ctor; } } if (!sc.intypeof && !(sc.ctorflow.callSuper & CSX.halt)) { if (sc.inLoop || sc.ctorflow.callSuper & CSX.label) exp.выведиОшибку("constructor calls not allowed in loops or after labels"); if (sc.ctorflow.callSuper & (CSX.super_ctor | CSX.this_ctor)) exp.выведиОшибку("multiple constructor calls"); if ((sc.ctorflow.callSuper & CSX.return_) && !(sc.ctorflow.callSuper & CSX.any_ctor)) exp.выведиОшибку("an earlier `return` инструкция skips constructor"); sc.ctorflow.callSuper |= CSX.any_ctor | (isSuper ? CSX.super_ctor : CSX.this_ctor); } tthis = ad.тип.addMod(sc.func.тип.mod); auto ctor = isSuper ? cd.baseClass.ctor : ad.ctor; if (auto ос = ctor.isOverloadSet()) exp.f = resolveOverloadSet(exp.место, sc, ос, null, tthis, exp.arguments); else exp.f = resolveFuncCall(exp.место, sc, ctor, null, tthis, exp.arguments, FuncResolveFlag.standard); if (!exp.f || exp.f.errors) return setError(); checkFunctionAttributes(exp, sc, exp.f); checkAccess(exp.место, sc, null, exp.f); exp.e1 = new DotVarExp(exp.e1.место, exp.e1, exp.f, нет); exp.e1 = exp.e1.ВыражениеSemantic(sc); t1 = exp.e1.тип; // BUG: this should really be done by checking the static // call graph if (exp.f == sc.func) { exp.выведиОшибку("cyclic constructor call"); return setError(); } } else if (exp.e1.op == ТОК2.overloadSet) { auto ос = (cast(OverExp)exp.e1).vars; exp.f = resolveOverloadSet(exp.место, sc, ос, tiargs, tthis, exp.arguments); if (!exp.f) return setError(); if (ethis) exp.e1 = new DotVarExp(exp.место, ethis, exp.f, нет); else exp.e1 = new VarExp(exp.место, exp.f, нет); goto Lagain; } else if (!t1) { exp.выведиОшибку("function expected before `()`, not `%s`", exp.e1.вТкст0()); return setError(); } else if (t1.ty == Terror) { return setError(); } else if (t1.ty != Tfunction) { TypeFunction tf; ткст0 p; ДСимвол s; exp.f = null; if (exp.e1.op == ТОК2.function_) { // function literal that direct called is always inferred. assert((cast(FuncExp)exp.e1).fd); exp.f = (cast(FuncExp)exp.e1).fd; tf = cast(TypeFunction)exp.f.тип; p = "function literal"; } else if (t1.ty == Tdelegate) { TypeDelegate td = cast(TypeDelegate)t1; assert(td.следщ.ty == Tfunction); tf = cast(TypeFunction)td.следщ; p = "delegate"; } else if (t1.ty == Tpointer && (cast(TypePointer)t1).следщ.ty == Tfunction) { tf = cast(TypeFunction)(cast(TypePointer)t1).следщ; p = "function pointer"; } else if (exp.e1.op == ТОК2.dotVariable && (cast(DotVarExp)exp.e1).var.isOverDeclaration()) { DotVarExp dve = cast(DotVarExp)exp.e1; exp.f = resolveFuncCall(exp.место, sc, dve.var, tiargs, dve.e1.тип, exp.arguments, FuncResolveFlag.overloadOnly); if (!exp.f) return setError(); if (exp.f.needThis()) { dve.var = exp.f; dve.тип = exp.f.тип; dve.hasOverloads = нет; goto Lagain; } exp.e1 = new VarExp(dve.место, exp.f, нет); Выражение e = new CommaExp(exp.место, dve.e1, exp); результат = e.ВыражениеSemantic(sc); return; } else if (exp.e1.op == ТОК2.variable && (cast(VarExp)exp.e1).var.isOverDeclaration()) { s = (cast(VarExp)exp.e1).var; goto L2; } else if (exp.e1.op == ТОК2.template_) { s = (cast(TemplateExp)exp.e1).td; L2: exp.f = resolveFuncCall(exp.место, sc, s, tiargs, null, exp.arguments, FuncResolveFlag.standard); if (!exp.f || exp.f.errors) return setError(); if (exp.f.needThis()) { if (hasThis(sc)) { // Supply an implicit 'this', as in // this.идент exp.e1 = new DotVarExp(exp.место, (new ThisExp(exp.место)).ВыражениеSemantic(sc), exp.f, нет); goto Lagain; } else if (isNeedThisScope(sc, exp.f)) { exp.выведиОшибку("need `this` for `%s` of тип `%s`", exp.f.вТкст0(), exp.f.тип.вТкст0()); return setError(); } } exp.e1 = new VarExp(exp.e1.место, exp.f, нет); goto Lagain; } else { exp.выведиОшибку("function expected before `()`, not `%s` of тип `%s`", exp.e1.вТкст0(), exp.e1.тип.вТкст0()); return setError(); } ткст0 failMessage; Выражение[] fargs = exp.arguments ? (*exp.arguments)[] : null; if (!tf.callMatch(null, fargs, 0, &failMessage, sc)) { БуфВыв буф; буф.пишиБайт('('); argExpTypesToCBuffer(&буф, exp.arguments); буф.пишиБайт(')'); if (tthis) tthis.modToBuffer(&буф); //printf("tf = %s, args = %s\n", tf.deco, (*arguments)[0].тип.deco); .выведиОшибку(exp.место, "%s `%s%s` is not callable using argument types `%s`", p, exp.e1.вТкст0(), parametersTypeToChars(tf.parameterList), буф.peekChars()); if (failMessage) errorSupplemental(exp.место, "%s", failMessage); return setError(); } // Purity and safety check should run after testing arguments matching if (exp.f) { exp.checkPurity(sc, exp.f); exp.checkSafety(sc, exp.f); exp.checkNogc(sc, exp.f); if (exp.f.checkNestedReference(sc, exp.место)) return setError(); } else if (sc.func && sc.intypeof != 1 && !(sc.flags & (SCOPE.ctfe | SCOPE.debug_))) { бул err = нет; if (!tf.purity && sc.func.setImpure()) { exp.выведиОшибку("`` %s `%s` cannot call impure %s `%s`", sc.func.вид(), sc.func.toPrettyChars(), p, exp.e1.вТкст0()); err = да; } if (!tf.isnogc && sc.func.setGC()) { exp.выведиОшибку("`` %s `%s` cannot call non- %s `%s`", sc.func.вид(), sc.func.toPrettyChars(), p, exp.e1.вТкст0()); err = да; } if (tf.trust <= TRUST.system && sc.func.setUnsafe()) { exp.выведиОшибку("`` %s `%s` cannot call `@system` %s `%s`", sc.func.вид(), sc.func.toPrettyChars(), p, exp.e1.вТкст0()); err = да; } if (err) return setError(); } if (t1.ty == Tpointer) { Выражение e = new PtrExp(exp.место, exp.e1); e.тип = tf; exp.e1 = e; } t1 = tf; } else if (exp.e1.op == ТОК2.variable) { // Do overload resolution VarExp ve = cast(VarExp)exp.e1; exp.f = ve.var.isFuncDeclaration(); assert(exp.f); tiargs = null; if (exp.f.overnext) exp.f = resolveFuncCall(exp.место, sc, exp.f, tiargs, null, exp.arguments, FuncResolveFlag.overloadOnly); else { exp.f = exp.f.toAliasFunc(); TypeFunction tf = cast(TypeFunction)exp.f.тип; ткст0 failMessage; Выражение[] fargs = exp.arguments ? (*exp.arguments)[] : null; if (!tf.callMatch(null, fargs, 0, &failMessage, sc)) { БуфВыв буф; буф.пишиБайт('('); argExpTypesToCBuffer(&буф, exp.arguments); буф.пишиБайт(')'); //printf("tf = %s, args = %s\n", tf.deco, (*arguments)[0].тип.deco); .выведиОшибку(exp.место, "%s `%s%s` is not callable using argument types `%s`", exp.f.вид(), exp.f.toPrettyChars(), parametersTypeToChars(tf.parameterList), буф.peekChars()); if (failMessage) errorSupplemental(exp.место, "%s", failMessage); exp.f = null; } } if (!exp.f || exp.f.errors) return setError(); if (exp.f.needThis()) { // Change the ancestor lambdas to delegate before hasThis(sc) call. if (exp.f.checkNestedReference(sc, exp.место)) return setError(); if (hasThis(sc)) { // Supply an implicit 'this', as in // this.идент exp.e1 = new DotVarExp(exp.место, (new ThisExp(exp.место)).ВыражениеSemantic(sc), ve.var); // Note: we cannot use f directly, because further overload resolution // through the supplied 'this' may cause different результат. goto Lagain; } else if (isNeedThisScope(sc, exp.f)) { exp.выведиОшибку("need `this` for `%s` of тип `%s`", exp.f.вТкст0(), exp.f.тип.вТкст0()); return setError(); } } checkFunctionAttributes(exp, sc, exp.f); checkAccess(exp.место, sc, null, exp.f); if (exp.f.checkNestedReference(sc, exp.место)) return setError(); ethis = null; tthis = null; if (ve.hasOverloads) { exp.e1 = new VarExp(ve.место, exp.f, нет); exp.e1.тип = exp.f.тип; } t1 = exp.f.тип; } assert(t1.ty == Tfunction); Выражение argprefix; if (!exp.arguments) exp.arguments = new Выражения(); if (functionParameters(exp.место, sc, cast(TypeFunction)t1, ethis, tthis, exp.arguments, exp.f, &exp.тип, &argprefix)) return setError(); if (!exp.тип) { exp.e1 = e1org; // https://issues.dlang.org/show_bug.cgi?ид=10922 // avoid recursive Выражение printing exp.выведиОшибку("forward reference to inferred return тип of function call `%s`", exp.вТкст0()); return setError(); } if (exp.f && exp.f.tintro) { Тип t = exp.тип; цел смещение = 0; TypeFunction tf = cast(TypeFunction)exp.f.tintro; if (tf.следщ.isBaseOf(t, &смещение) && смещение) { exp.тип = tf.следщ; результат = Выражение.combine(argprefix, exp.castTo(sc, t)); return; } } // Handle the case of a direct lambda call if (exp.f && exp.f.isFuncLiteralDeclaration() && sc.func && !sc.intypeof) { exp.f.tookAddressOf = 0; } результат = Выражение.combine(argprefix, exp); if (isSuper) { auto ad = sc.func ? sc.func.isThis() : null; auto cd = ad ? ad.isClassDeclaration() : null; if (cd && cd.classKind == ClassKind.cpp && exp.f && !exp.f.fbody) { // if super is defined in C++, it sets the vtable pointer to the base class // so we have to restore it, but still return 'this' from super() call: // (auto __vptrTmp = this.__vptr, auto __superTmp = super()), (this.__vptr = __vptrTmp, __superTmp) Место место = exp.место; auto vptr = new DotIdExp(место, new ThisExp(место), Id.__vptr); auto vptrTmpDecl = copyToTemp(0, "__vptrTmp", vptr); auto declareVptrTmp = new DeclarationExp(место, vptrTmpDecl); auto superTmpDecl = copyToTemp(0, "__superTmp", результат); auto declareSuperTmp = new DeclarationExp(место, superTmpDecl); auto declareTmps = new CommaExp(место, declareVptrTmp, declareSuperTmp); auto restoreVptr = new AssignExp(место, vptr.syntaxCopy(), new VarExp(место, vptrTmpDecl)); Выражение e = new CommaExp(место, declareTmps, new CommaExp(место, restoreVptr, new VarExp(место, superTmpDecl))); результат = e.ВыражениеSemantic(sc); } } // declare dual-context container if (exp.f && exp.f.isThis2 && !sc.intypeof && sc.func) { // check access to second `this` if (AggregateDeclaration ad2 = exp.f.isMember2()) { auto rez = new ThisExp(exp.место); Выражение te = rez.ВыражениеSemantic(sc); if (te.op != ТОК2.error) te = getRightThis(exp.место, sc, ad2, te, exp.f); if (te.op == ТОК2.error) { exp.выведиОшибку("need `this` of тип `%s` to call function `%s`", ad2.вТкст0(), exp.f.вТкст0()); return setError(); } } VarDeclaration vthis2 = makeThis2Argument(exp.место, sc, exp.f); exp.vthis2 = vthis2; Выражение de = new DeclarationExp(exp.место, vthis2); результат = Выражение.combine(de, результат); результат = результат.ВыражениеSemantic(sc); } } override проц посети(DeclarationExp e) { if (e.тип) { результат = e; return; } static if (LOGSEMANTIC) { printf("DeclarationExp::semantic() %s\n", e.вТкст0()); } бцел olderrors = глоб2.errors; /* This is here to support extern(компонаж) declaration, * where the extern(компонаж) winds up being an AttribDeclaration * wrapper. */ ДСимвол s = e.declaration; while (1) { AttribDeclaration ad = s.isAttribDeclaration(); if (ad) { if (ad.decl && ad.decl.dim == 1) { s = (*ad.decl)[0]; continue; } } break; } VarDeclaration v = s.isVarDeclaration(); if (v) { // Do semantic() on инициализатор first, so: // цел a = a; // will be illegal. e.declaration.dsymbolSemantic(sc); s.родитель = sc.родитель; } //printf("inserting '%s' %p into sc = %p\n", s.вТкст0(), s, sc); // Insert into both local scope and function scope. // Must be unique in both. if (s.идент) { if (!sc.вставь(s)) { e.выведиОшибку("declaration `%s` is already defined", s.toPrettyChars()); return setError(); } else if (sc.func) { // https://issues.dlang.org/show_bug.cgi?ид=11720 // include Dataseg variables if ((s.isFuncDeclaration() || s.isAggregateDeclaration() || s.isEnumDeclaration() || v && v.isDataseg()) && !sc.func.localsymtab.вставь(s)) { // https://issues.dlang.org/show_bug.cgi?ид=18266 // set родитель so that тип semantic does not assert s.родитель = sc.родитель; ДСимвол originalSymbol = sc.func.localsymtab.lookup(s.идент); assert(originalSymbol); e.выведиОшибку("declaration `%s` is already defined in another scope in `%s` at line `%d`", s.toPrettyChars(), sc.func.вТкст0(), originalSymbol.место.номстр); return setError(); } else { // Disallow shadowing for (Scope* scx = sc.enclosing; scx && (scx.func == sc.func || (scx.func && sc.func.fes)); scx = scx.enclosing) { ДСимвол s2; if (scx.scopesym && scx.scopesym.symtab && (s2 = scx.scopesym.symtab.lookup(s.идент)) !is null && s != s2) { // allow STC.local symbols to be shadowed // TODO: not really an optimal design auto decl = s2.isDeclaration(); if (!decl || !(decl.класс_хранения & STC.local)) { if (sc.func.fes) { e.deprecation("%s `%s` is shadowing %s `%s`. Rename the `foreach` variable.", s.вид(), s.идент.вТкст0(), s2.вид(), s2.toPrettyChars()); } else { e.выведиОшибку("%s `%s` is shadowing %s `%s`", s.вид(), s.идент.вТкст0(), s2.вид(), s2.toPrettyChars()); return setError(); } } } } } } } if (!s.isVarDeclaration()) { Scope* sc2 = sc; if (sc2.stc & (STC.pure_ | STC.nothrow_ | STC.nogc)) sc2 = sc.сунь(); sc2.stc &= ~(STC.pure_ | STC.nothrow_ | STC.nogc); e.declaration.dsymbolSemantic(sc2); if (sc2 != sc) sc2.вынь(); s.родитель = sc.родитель; } if (глоб2.errors == olderrors) { e.declaration.semantic2(sc); if (глоб2.errors == olderrors) { e.declaration.semantic3(sc); } } // todo: error in declaration should be propagated. e.тип = Тип.tvoid; результат = e; } override проц посети(TypeidExp exp) { static if (LOGSEMANTIC) { printf("TypeidExp::semantic() %s\n", exp.вТкст0()); } Тип ta = тип_ли(exp.obj); Выражение ea = выражение_ли(exp.obj); ДСимвол sa = isDsymbol(exp.obj); //printf("ta %p ea %p sa %p\n", ta, ea, sa); if (ta) { dmd.typesem.resolve(ta, exp.место, sc, &ea, &ta, &sa, да); } if (ea) { if (auto sym = getDsymbol(ea)) ea = symbolToExp(sym, exp.место, sc, нет); else ea = ea.ВыражениеSemantic(sc); ea = resolveProperties(sc, ea); ta = ea.тип; if (ea.op == ТОК2.тип) ea = null; } if (!ta) { //printf("ta %p ea %p sa %p\n", ta, ea, sa); exp.выведиОшибку("no тип for `typeid(%s)`", ea ? ea.вТкст0() : (sa ? sa.вТкст0() : "")); return setError(); } if (глоб2.парамы.vcomplex) ta.checkComplexTransition(exp.место, sc); Выражение e; auto tb = ta.toBasetype(); if (ea && tb.ty == Tclass) { if (tb.toDsymbol(sc).isClassDeclaration().classKind == ClassKind.cpp) { выведиОшибку(exp.место, "Runtime тип information is not supported for `/*extern(C++)*/` classes"); e = new ErrorExp(); } else if (!Тип.typeinfoclass) { выведиОшибку(exp.место, "`объект.TypeInfo_Class` could not be found, but is implicitly используется"); e = new ErrorExp(); } else { /* Get the dynamic тип, which is .classinfo */ ea = ea.ВыражениеSemantic(sc); e = new TypeidExp(ea.место, ea); e.тип = Тип.typeinfoclass.тип; } } else if (ta.ty == Terror) { e = new ErrorExp(); } else { // Handle this in the glue layer e = new TypeidExp(exp.место, ta); e.тип = getTypeInfoType(exp.место, ta, sc); semanticTypeInfo(sc, ta); if (ea) { e = new CommaExp(exp.место, ea, e); // execute ea e = e.ВыражениеSemantic(sc); } } результат = e; } override проц посети(TraitsExp e) { результат = semanticTraits(e, sc); } override проц посети(HaltExp e) { static if (LOGSEMANTIC) { printf("HaltExp::semantic()\n"); } e.тип = Тип.tvoid; результат = e; } override проц посети(IsExp e) { /* is(targ ид tok tspec) * is(targ ид : tok2) * is(targ ид == tok2) */ //printf("IsExp::semantic(%s)\n", вТкст0()); if (e.ид && !(sc.flags & SCOPE.условие)) { e.выведиОшибку("can only declare тип ники within `static if` conditionals or `static assert`s"); return setError(); } Тип tded = null; if (e.tok2 == ТОК2.package_ || e.tok2 == ТОК2.module_) // These is() Выражения are special because they can work on modules, not just types. { const oldErrors = глоб2.startGagging(); ДСимвол sym = e.targ.toDsymbol(sc); глоб2.endGagging(oldErrors); if (sym is null) goto Lno; Package p = resolveIsPackage(sym); if (p is null) goto Lno; if (e.tok2 == ТОК2.package_ && p.isModule()) // Note that isModule() will return null for package modules because they're not actually instances of Module. goto Lno; else if(e.tok2 == ТОК2.module_ && !(p.isModule() || p.isPackageMod())) goto Lno; tded = e.targ; goto Lyes; } { Scope* sc2 = sc.копируй(); // keep sc.flags sc2.tinst = null; sc2.minst = null; sc2.flags |= SCOPE.fullinst; Тип t = e.targ.trySemantic(e.место, sc2); sc2.вынь(); if (!t) // errors, so условие is нет goto Lno; e.targ = t; } if (e.tok2 != ТОК2.reserved) { switch (e.tok2) { case ТОК2.struct_: if (e.targ.ty != Tstruct) goto Lno; if ((cast(TypeStruct)e.targ).sym.isUnionDeclaration()) goto Lno; tded = e.targ; break; case ТОК2.union_: if (e.targ.ty != Tstruct) goto Lno; if (!(cast(TypeStruct)e.targ).sym.isUnionDeclaration()) goto Lno; tded = e.targ; break; case ТОК2.class_: if (e.targ.ty != Tclass) goto Lno; if ((cast(TypeClass)e.targ).sym.isInterfaceDeclaration()) goto Lno; tded = e.targ; break; case ТОК2.interface_: if (e.targ.ty != Tclass) goto Lno; if (!(cast(TypeClass)e.targ).sym.isInterfaceDeclaration()) goto Lno; tded = e.targ; break; case ТОК2.const_: if (!e.targ.isConst()) goto Lno; tded = e.targ; break; case ТОК2.immutable_: if (!e.targ.isImmutable()) goto Lno; tded = e.targ; break; case ТОК2.shared_: if (!e.targ.isShared()) goto Lno; tded = e.targ; break; case ТОК2.inout_: if (!e.targ.isWild()) goto Lno; tded = e.targ; break; case ТОК2.super_: // If class or interface, get the base class and interfaces if (e.targ.ty != Tclass) goto Lno; else { ClassDeclaration cd = (cast(TypeClass)e.targ).sym; auto args = new Параметры(); args.резервируй(cd.baseclasses.dim); if (cd.semanticRun < PASS.semanticdone) cd.dsymbolSemantic(null); for (т_мера i = 0; i < cd.baseclasses.dim; i++) { КлассОснова2* b = (*cd.baseclasses)[i]; args.сунь(new Параметр2(STC.in_, b.тип, null, null, null)); } tded = new КортежТипов(args); } break; case ТОК2.enum_: if (e.targ.ty != Tenum) goto Lno; if (e.ид) tded = (cast(TypeEnum)e.targ).sym.getMemtype(e.место); else tded = e.targ; if (tded.ty == Terror) return setError(); break; case ТОК2.delegate_: if (e.targ.ty != Tdelegate) goto Lno; tded = (cast(TypeDelegate)e.targ).следщ; // the underlying function тип break; case ТОК2.function_: case ТОК2.parameters: { if (e.targ.ty != Tfunction) goto Lno; tded = e.targ; /* Generate кортеж from function параметр types. */ assert(tded.ty == Tfunction); auto tdedf = tded.isTypeFunction(); т_мера dim = tdedf.parameterList.length; auto args = new Параметры(); args.резервируй(dim); for (т_мера i = 0; i < dim; i++) { Параметр2 arg = tdedf.parameterList[i]; assert(arg && arg.тип); /* If one of the default arguments was an error, don't return an invalid кортеж */ if (e.tok2 == ТОК2.parameters && arg.defaultArg && arg.defaultArg.op == ТОК2.error) return setError(); args.сунь(new Параметр2(arg.классХранения, arg.тип, (e.tok2 == ТОК2.parameters) ? arg.идент : null, (e.tok2 == ТОК2.parameters) ? arg.defaultArg : null, arg.userAttribDecl)); } tded = new КортежТипов(args); break; } case ТОК2.return_: /* Get the 'return тип' for the function, * delegate, or pointer to function. */ if (e.targ.ty == Tfunction) tded = (cast(TypeFunction)e.targ).следщ; else if (e.targ.ty == Tdelegate) { tded = (cast(TypeDelegate)e.targ).следщ; tded = (cast(TypeFunction)tded).следщ; } else if (e.targ.ty == Tpointer && (cast(TypePointer)e.targ).следщ.ty == Tfunction) { tded = (cast(TypePointer)e.targ).следщ; tded = (cast(TypeFunction)tded).следщ; } else goto Lno; break; case ТОК2.argumentTypes: /* Generate a тип кортеж of the equivalent types используется to determine if a * function argument of this тип can be passed in registers. * The результатs of this are highly platform dependent, and intended * primarly for use in implementing va_arg(). */ tded = target.toArgTypes(e.targ); if (!tded) goto Lno; // not valid for a параметр break; case ТОК2.vector: if (e.targ.ty != Tvector) goto Lno; tded = (cast(TypeVector)e.targ).basetype; break; default: assert(0); } // https://issues.dlang.org/show_bug.cgi?ид=18753 if (tded) goto Lyes; goto Lno; } else if (e.tspec && !e.ид && !(e.parameters && e.parameters.dim)) { /* Evaluate to да if targ matches tspec * is(targ == tspec) * is(targ : tspec) */ e.tspec = e.tspec.typeSemantic(e.место, sc); //printf("targ = %s, %s\n", targ.вТкст0(), targ.deco); //printf("tspec = %s, %s\n", tspec.вТкст0(), tspec.deco); if (e.tok == ТОК2.colon) { if (e.targ.implicitConvTo(e.tspec)) goto Lyes; else goto Lno; } else /* == */ { if (e.targ.равен(e.tspec)) goto Lyes; else goto Lno; } } else if (e.tspec) { /* Evaluate to да if targ matches tspec. * If да, declare ид as an alias for the specialized тип. * is(targ == tspec, tpl) * is(targ : tspec, tpl) * is(targ ид == tspec) * is(targ ид : tspec) * is(targ ид == tspec, tpl) * is(targ ид : tspec, tpl) */ Идентификатор2 tid = e.ид ? e.ид : Идентификатор2.генерируйИд("__isexp_id"); e.parameters.вставь(0, new TemplateTypeParameter(e.место, tid, null, null)); Объекты dedtypes = Объекты(e.parameters.dim); dedtypes.нуль(); MATCH m = deduceType(e.targ, sc, e.tspec, e.parameters, &dedtypes, null, 0, e.tok == ТОК2.equal); //printf("targ: %s\n", targ.вТкст0()); //printf("tspec: %s\n", tspec.вТкст0()); if (m <= MATCH.nomatch || (m != MATCH.exact && e.tok == ТОК2.equal)) { goto Lno; } else { tded = cast(Тип)dedtypes[0]; if (!tded) tded = e.targ; Объекты tiargs = Объекты(1); tiargs[0] = e.targ; /* Declare trailing parameters */ for (т_мера i = 1; i < e.parameters.dim; i++) { ПараметрШаблона2 tp = (*e.parameters)[i]; Declaration s = null; m = tp.matchArg(e.место, sc, &tiargs, i, e.parameters, &dedtypes, &s); if (m <= MATCH.nomatch) goto Lno; s.dsymbolSemantic(sc); if (!sc.вставь(s)) e.выведиОшибку("declaration `%s` is already defined", s.вТкст0()); unSpeculative(sc, s); } goto Lyes; } } else if (e.ид) { /* Declare ид as an alias for тип targ. Evaluate to да * is(targ ид) */ tded = e.targ; goto Lyes; } Lyes: if (e.ид) { ДСимвол s; Tuple tup = кортеж_ли(tded); if (tup) s = new TupleDeclaration(e.место, e.ид, &tup.objects); else s = new AliasDeclaration(e.место, e.ид, tded); s.dsymbolSemantic(sc); /* The reason for the !tup is unclear. It fails Phobos unittests if it is not there. * More investigation is needed. */ if (!tup && !sc.вставь(s)) e.выведиОшибку("declaration `%s` is already defined", s.вТкст0()); unSpeculative(sc, s); } //printf("Lyes\n"); результат = IntegerExp.createBool(да); return; Lno: //printf("Lno\n"); результат = IntegerExp.createBool(нет); } override проц посети(BinAssignExp exp) { if (exp.тип) { результат = exp; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (checkIfIsStructLiteralDotExpr(exp.e1)) return setError(); if (exp.e1.op == ТОК2.arrayLength) { // arr.length op= e2; e = rewriteOpAssign(exp); e = e.ВыражениеSemantic(sc); результат = e; return; } if (exp.e1.op == ТОК2.slice || exp.e1.тип.ty == Tarray || exp.e1.тип.ty == Tsarray) { if (checkNonAssignmentArrayOp(exp.e1)) return setError(); if (exp.e1.op == ТОК2.slice) (cast(SliceExp)exp.e1).arrayop = да; // T[] op= ... if (exp.e2.implicitConvTo(exp.e1.тип.nextOf())) { // T[] op= T exp.e2 = exp.e2.castTo(sc, exp.e1.тип.nextOf()); } else if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } exp.тип = exp.e1.тип; результат = arrayOp(exp, sc); return; } exp.e1 = exp.e1.ВыражениеSemantic(sc); exp.e1 = exp.e1.optimize(WANTvalue); exp.e1 = exp.e1.modifiableLvalue(sc, exp.e1); exp.тип = exp.e1.тип; if (auto ad = isAggregate(exp.e1.тип)) { if(auto s = search_function(ad, Id.opOpAssign)) { выведиОшибку(exp.место, "none of the `opOpAssign` overloads of `%s` are callable for `%s` of тип `%s`", ad.вТкст0(), exp.e1.вТкст0(), exp.e1.тип.вТкст0()); return setError(); } } if (exp.e1.checkScalar() || exp.e1.checkReadModifyWrite(exp.op, exp.e2) || exp.e1.checkSharedAccess(sc)) return setError(); цел arith = (exp.op == ТОК2.addAssign || exp.op == ТОК2.minAssign || exp.op == ТОК2.mulAssign || exp.op == ТОК2.divAssign || exp.op == ТОК2.modAssign || exp.op == ТОК2.powAssign); цел bitwise = (exp.op == ТОК2.andAssign || exp.op == ТОК2.orAssign || exp.op == ТОК2.xorAssign); цел shift = (exp.op == ТОК2.leftShiftAssign || exp.op == ТОК2.rightShiftAssign || exp.op == ТОК2.unsignedRightShiftAssign); if (bitwise && exp.тип.toBasetype().ty == Tbool) exp.e2 = exp.e2.implicitCastTo(sc, exp.тип); else if (exp.checkNoBool()) return setError(); if ((exp.op == ТОК2.addAssign || exp.op == ТОК2.minAssign) && exp.e1.тип.toBasetype().ty == Tpointer && exp.e2.тип.toBasetype().isintegral()) { результат = scaleFactor(exp, sc); return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } if (arith && (exp.checkArithmeticBin() || exp.checkSharedAccessBin(sc))) return setError(); if ((bitwise || shift) && (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc))) return setError(); if (shift) { if (exp.e2.тип.toBasetype().ty != Tvector) exp.e2 = exp.e2.castTo(sc, Тип.tshiftcnt); } if (!target.isVectorOpSupported(exp.тип.toBasetype(), exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } if (exp.e1.op == ТОК2.error || exp.e2.op == ТОК2.error) return setError(); e = exp.checkOpAssignTypes(sc); if (e.op == ТОК2.error) { результат = e; return; } assert(e.op == ТОК2.assign || e == exp); результат = (cast(BinExp)e).reorderSettingAAElem(sc); } private Выражение compileIt(CompileExp exp) { БуфВыв буф; if (выраженияВТкст(буф, sc, exp.exps)) return null; бцел errors = глоб2.errors; const len = буф.length; const str = буф.extractChars()[0 .. len]; scope p = new Parser!(ASTCodegen)(exp.место, sc._module, str, нет); p.nextToken(); //printf("p.место.номстр = %d\n", p.место.номстр); Выражение e = p.parseВыражение(); if (глоб2.errors != errors) return null; if (p.token.значение != ТОК2.endOfFile) { exp.выведиОшибку("incomplete mixin Выражение `%s`", str.ptr); return null; } return e; } override проц посети(CompileExp exp) { /* https://dlang.org/spec/Выражение.html#mixin_Выражениеs */ static if (LOGSEMANTIC) { printf("CompileExp::semantic('%s')\n", exp.вТкст0()); } auto e = compileIt(exp); if (!e) return setError(); результат = e.ВыражениеSemantic(sc); } override проц посети(ImportExp e) { static if (LOGSEMANTIC) { printf("ImportExp::semantic('%s')\n", e.вТкст0()); } auto se = semanticString(sc, e.e1, "файл имя argument"); if (!se) return setError(); se = se.toUTF8(sc); auto namez = se.вТкст0().ptr; if (!глоб2.filePath) { e.выведиОшибку("need `-J` switch to import text файл `%s`", namez); return setError(); } /* Be wary of CWE-22: Improper Limitation of a Pathname to a Restricted Directory * ('Path Traversal') attacks. * http://cwe.mitre.org/данные/definitions/22.html */ auto имя = ИмяФайла.safeSearchPath(глоб2.filePath, namez); if (!имя) { e.выведиОшибку("файл `%s` cannot be found or not in a path specified with `-J`", se.вТкст0()); return setError(); } sc._module.contentImportedFiles.сунь(имя); if (глоб2.парамы.verbose) { const slice = se.peekString(); message("файл %.*s\t(%s)", cast(цел)slice.length, slice.ptr, имя); } if (глоб2.парамы.moduleDeps !is null) { БуфВыв* ob = глоб2.парамы.moduleDeps; Module imod = sc.instantiatingModule(); if (!глоб2.парамы.moduleDepsFile) ob.пишиСтр("depsFile "); ob.пишиСтр(imod.toPrettyChars()); ob.пишиСтр(" ("); escapePath(ob, imod.srcfile.вТкст0()); ob.пишиСтр(") : "); if (глоб2.парамы.moduleDepsFile) ob.пишиСтр("ткст : "); ob.пиши(se.peekString()); ob.пишиСтр(" ("); escapePath(ob, имя); ob.пишиСтр(")"); ob.нс(); } { auto readрезультат = Файл.читай(имя); if (!readрезультат.успех) { e.выведиОшибку("cannot читай файл `%s`", имя); return setError(); } else { // take ownership of буфер (probably leaking) auto данные = readрезультат.извлекиСрез(); se = new StringExp(e.место, данные); } } результат = se.ВыражениеSemantic(sc); } override проц посети(AssertExp exp) { // https://dlang.org/spec/Выражение.html#assert_Выражениеs static if (LOGSEMANTIC) { printf("AssertExp::semantic('%s')\n", exp.вТкст0()); } // save Выражение as a ткст before any semantic expansion // if -checkaction=context is enabled an no message exists const generateMsg = !exp.msg && глоб2.парамы.checkAction == CHECKACTION.context; auto assertExpMsg = generateMsg ? exp.вТкст0() : null; if (Выражение ex = unaSemantic(exp, sc)) { результат = ex; return; } exp.e1 = resolveProperties(sc, exp.e1); // BUG: see if we can do compile time elimination of the Assert exp.e1 = exp.e1.optimize(WANTvalue); exp.e1 = exp.e1.toBoolean(sc); if (generateMsg) // no message - use assert Выражение as msg { /* { auto a = e1, b = e2; assert(a == b, _d_assert_fail!"=="(a, b)); }() */ /* Stores the результат of an operand Выражение into a temporary if necessary, e.g. if it is an impure fuction call containing side effects as in https://issues.dlang.org/show_bug.cgi?ид=20114 Параметры: op = an Выражение which may require a temporary and will be replaced by `(auto tmp = op, tmp)` if necessary Возвращает: `op` or `tmp` for subsequent access to the possibly promoted operand */ Выражение maybePromoteToTmp(ref Выражение op) { if (op.hasSideEffect) { const stc = STC.exptemp | (op.isLvalue() ? STC.ref_ : STC.rvalue); auto tmp = copyToTemp(stc, "__assertOp", op); tmp.dsymbolSemantic(sc); auto decl = new DeclarationExp(op.место, tmp); auto var = new VarExp(op.место, tmp); auto comb = Выражение.combine(decl, var); op = comb.ВыражениеSemantic(sc); return var; } return op; } const tok = exp.e1.op; бул isEqualsCallВыражение; if (tok == ТОК2.call) { const callExp = cast(CallExp) exp.e1; // https://issues.dlang.org/show_bug.cgi?ид=20331 // callExp.f may be null if the assert содержит a call to // a function pointer or literal if(auto callExpFunc = callExp.f) { const callExpIdent = callExpFunc.идент; isEqualsCallВыражение = callExpIdent == Id.__equals || callExpIdent == Id.eq; } } if (tok == ТОК2.equal || tok == ТОК2.notEqual || tok == ТОК2.lessThan || tok == ТОК2.greaterThan || tok == ТОК2.lessOrEqual || tok == ТОК2.greaterOrEqual || tok == ТОК2.identity || tok == ТОК2.notIdentity || tok == ТОК2.in_ || isEqualsCallВыражение) { if (!verifyHookExist(exp.место, *sc, Id._d_assert_fail, "generating assert messages")) return setError(); auto es = new Выражения(2); auto tiargs = new Объекты(3); Место место = exp.e1.место; if (isEqualsCallВыражение) { auto callExp = cast(CallExp) exp.e1; auto args = callExp.arguments; // template args static const compMsg = "=="; Выражение comp = new StringExp(место, compMsg); comp = comp.ВыражениеSemantic(sc); (*tiargs)[0] = comp; // structs with opEquals get rewritten to a DotVarExp: // a.opEquals(b) // https://issues.dlang.org/show_bug.cgi?ид=20100 if (args.length == 1) { auto dv = callExp.e1.isDotVarExp(); assert(dv); (*tiargs)[1] = dv.e1.тип; (*tiargs)[2] = (*args)[0].тип; // runtime args (*es)[0] = maybePromoteToTmp(dv.e1); (*es)[1] = maybePromoteToTmp((*args)[0]); } else { (*tiargs)[1] = (*args)[0].тип; (*tiargs)[2] = (*args)[1].тип; // runtime args (*es)[0] = maybePromoteToTmp((*args)[0]); (*es)[1] = maybePromoteToTmp((*args)[1]); } } else { auto binExp = cast(EqualExp) exp.e1; // template args Выражение comp = new StringExp(место, Сема2.вТкст(exp.e1.op)); comp = comp.ВыражениеSemantic(sc); (*tiargs)[0] = comp; (*tiargs)[1] = binExp.e1.тип; (*tiargs)[2] = binExp.e2.тип; // runtime args (*es)[0] = maybePromoteToTmp(binExp.e1); (*es)[1] = maybePromoteToTmp(binExp.e2); } Выражение __assertFail = new IdentifierExp(exp.место, Id.empty); auto assertFail = new DotIdExp(место, __assertFail, Id.объект); auto dt = new DotTemplateInstanceExp(место, assertFail, Id._d_assert_fail, tiargs); auto ec = CallExp.создай(Место.initial, dt, es); exp.msg = ec; } else { БуфВыв буф; буф.printf("%s failed", assertExpMsg); exp.msg = new StringExp(Место.initial, буф.извлекиСрез()); } } if (exp.msg) { exp.msg = ВыражениеSemantic(exp.msg, sc); exp.msg = resolveProperties(sc, exp.msg); exp.msg = exp.msg.implicitCastTo(sc, Тип.tchar.constOf().arrayOf()); exp.msg = exp.msg.optimize(WANTvalue); } if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (exp.msg && exp.msg.op == ТОК2.error) { результат = exp.msg; return; } auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = exp.msg && checkNonAssignmentArrayOp(exp.msg); if (f1 || f2) return setError(); if (exp.e1.isBool(нет)) { /* This is an `assert(0)` which means halt program execution */ FuncDeclaration fd = sc.родитель.isFuncDeclaration(); if (fd) fd.hasReturnExp |= 4; sc.ctorflow.orCSX(CSX.halt); if (глоб2.парамы.useAssert == CHECKENABLE.off) { Выражение e = new HaltExp(exp.место); e = e.ВыражениеSemantic(sc); результат = e; return; } } exp.тип = Тип.tvoid; результат = exp; } override проц посети(DotIdExp exp) { static if (LOGSEMANTIC) { printf("DotIdExp::semantic(this = %p, '%s')\n", exp, exp.вТкст0()); //printf("e1.op = %d, '%s'\n", e1.op, Сема2::вТкст0(e1.op)); } Выражение e = exp.semanticY(sc, 1); if (e && isDotOpDispatch(e)) { бцел errors = глоб2.startGagging(); e = resolvePropertiesX(sc, e); if (глоб2.endGagging(errors)) e = null; /* fall down to UFCS */ else { результат = e; return; } } if (!e) // if failed to найди the property { /* If идент is not a valid property, rewrite: * e1.идент * as: * .идент(e1) */ e = resolveUFCSProperties(sc, exp); } результат = e; } override проц посети(DotTemplateExp e) { if (Выражение ex = unaSemantic(e, sc)) { результат = ex; return; } результат = e; } override проц посети(DotVarExp exp) { static if (LOGSEMANTIC) { printf("DotVarExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } exp.var = exp.var.toAlias().isDeclaration(); exp.e1 = exp.e1.ВыражениеSemantic(sc); if (auto tup = exp.var.isTupleDeclaration()) { /* Replace: * e1.кортеж(a, b, c) * with: * кортеж(e1.a, e1.b, e1.c) */ Выражение e0; Выражение ev = sc.func ? extractSideEffect(sc, "__tup", e0, exp.e1) : exp.e1; auto exps = new Выражения(); exps.резервируй(tup.objects.dim); for (т_мера i = 0; i < tup.objects.dim; i++) { КорневойОбъект o = (*tup.objects)[i]; Выражение e; if (o.динкаст() == ДИНКАСТ.Выражение) { e = cast(Выражение)o; if (e.op == ТОК2.dSymbol) { ДСимвол s = (cast(DsymbolExp)e).s; e = new DotVarExp(exp.место, ev, s.isDeclaration()); } } else if (o.динкаст() == ДИНКАСТ.дсимвол) { e = new DsymbolExp(exp.место, cast(ДСимвол)o); } else if (o.динкаст() == ДИНКАСТ.тип) { e = new TypeExp(exp.место, cast(Тип)o); } else { exp.выведиОшибку("`%s` is not an Выражение", o.вТкст0()); return setError(); } exps.сунь(e); } Выражение e = new TupleExp(exp.место, e0, exps); e = e.ВыражениеSemantic(sc); результат = e; return; } exp.e1 = exp.e1.addDtorHook(sc); Тип t1 = exp.e1.тип; if (FuncDeclaration fd = exp.var.isFuncDeclaration()) { // for functions, do checks after overload resolution if (!fd.functionSemantic()) return setError(); /* https://issues.dlang.org/show_bug.cgi?ид=13843 * If fd obviously has no overloads, we should * normalize AST, and it will give a chance to wrap fd with FuncExp. */ if ((fd.isNested() && !fd.isThis()) || fd.isFuncLiteralDeclaration()) { // (e1, fd) auto e = symbolToExp(fd, exp.место, sc, нет); результат = Выражение.combine(exp.e1, e); return; } exp.тип = fd.тип; assert(exp.тип); } else if (OverDeclaration od = exp.var.isOverDeclaration()) { exp.тип = Тип.tvoid; // ambiguous тип? } else { exp.тип = exp.var.тип; if (!exp.тип && глоб2.errors) // var is goofed up, just return error. return setError(); assert(exp.тип); if (t1.ty == Tpointer) t1 = t1.nextOf(); exp.тип = exp.тип.addMod(t1.mod); ДСимвол vparent = exp.var.toParent(); AggregateDeclaration ad = vparent ? vparent.isAggregateDeclaration() : null; if (Выражение e1x = getRightThis(exp.место, sc, ad, exp.e1, exp.var, 1)) exp.e1 = e1x; else { /* Later checkRightThis will report correct error for invalid field variable access. */ Выражение e = new VarExp(exp.место, exp.var); e = e.ВыражениеSemantic(sc); результат = e; return; } checkAccess(exp.место, sc, exp.e1, exp.var); VarDeclaration v = exp.var.isVarDeclaration(); if (v && (v.isDataseg() || (v.класс_хранения & STC.manifest))) { Выражение e = expandVar(WANTvalue, v); if (e) { результат = e; return; } } if (v && (v.isDataseg() || // fix https://issues.dlang.org/show_bug.cgi?ид=8238 (!v.needThis() && v.semanticRun > PASS.init))) // fix https://issues.dlang.org/show_bug.cgi?ид=17258 { // (e1, v) checkAccess(exp.место, sc, exp.e1, v); Выражение e = new VarExp(exp.место, v); e = new CommaExp(exp.место, exp.e1, e); e = e.ВыражениеSemantic(sc); результат = e; return; } } //printf("-DotVarExp::semantic('%s')\n", вТкст0()); результат = exp; } override проц посети(DotTemplateInstanceExp exp) { static if (LOGSEMANTIC) { printf("DotTemplateInstanceExp::semantic('%s')\n", exp.вТкст0()); } // Indicate we need to resolve by UFCS. Выражение e = exp.semanticY(sc, 1); if (!e) e = resolveUFCSProperties(sc, exp); результат = e; } override проц посети(DelegateExp e) { static if (LOGSEMANTIC) { printf("DelegateExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } e.e1 = e.e1.ВыражениеSemantic(sc); e.тип = new TypeDelegate(e.func.тип); e.тип = e.тип.typeSemantic(e.место, sc); FuncDeclaration f = e.func.toAliasFunc(); AggregateDeclaration ad = f.toParentLocal().isAggregateDeclaration(); if (f.needThis()) e.e1 = getRightThis(e.место, sc, ad, e.e1, f); if (e.e1.op == ТОК2.error) return setError(); /* A delegate takes the address of e.e1 in order to set the .ptr field * https://issues.dlang.org/show_bug.cgi?ид=18575 */ if (глоб2.парамы.vsafe && e.e1.тип.toBasetype().ty == Tstruct) { if (auto v = expToVariable(e.e1)) { if (!checkAddressVar(sc, e, v)) return setError(); } } if (f.тип.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)f.тип; if (!MODmethodConv(e.e1.тип.mod, f.тип.mod)) { БуфВыв thisBuf, funcBuf; MODMatchToBuffer(&thisBuf, e.e1.тип.mod, tf.mod); MODMatchToBuffer(&funcBuf, tf.mod, e.e1.тип.mod); e.выведиОшибку("%smethod `%s` is not callable using a %s`%s`", funcBuf.peekChars(), f.toPrettyChars(), thisBuf.peekChars(), e.e1.вТкст0()); return setError(); } } if (ad && ad.isClassDeclaration() && ad.тип != e.e1.тип) { // A downcast is required for interfaces // https://issues.dlang.org/show_bug.cgi?ид=3706 e.e1 = new CastExp(e.место, e.e1, ad.тип); e.e1 = e.e1.ВыражениеSemantic(sc); } результат = e; // declare dual-context container if (f.isThis2 && !sc.intypeof && sc.func) { // check access to second `this` if (AggregateDeclaration ad2 = f.isMember2()) { auto rez = new ThisExp(e.место); Выражение te = rez.ВыражениеSemantic(sc); if (te.op != ТОК2.error) te = getRightThis(e.место, sc, ad2, te, f); if (te.op == ТОК2.error) { e.выведиОшибку("need `this` of тип `%s` to make delegate from function `%s`", ad2.вТкст0(), f.вТкст0()); return setError(); } } VarDeclaration vthis2 = makeThis2Argument(e.место, sc, f); e.vthis2 = vthis2; Выражение de = new DeclarationExp(e.место, vthis2); результат = Выражение.combine(de, результат); результат = результат.ВыражениеSemantic(sc); } } override проц посети(DotTypeExp exp) { static if (LOGSEMANTIC) { printf("DotTypeExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (auto e = unaSemantic(exp, sc)) { результат = e; return; } exp.тип = exp.sym.getType().addMod(exp.e1.тип.mod); результат = exp; } override проц посети(AddrExp exp) { static if (LOGSEMANTIC) { printf("AddrExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (Выражение ex = unaSemantic(exp, sc)) { результат = ex; return; } цел wasCond = exp.e1.op == ТОК2.question; if (exp.e1.op == ТОК2.dotTemplateInstance) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)exp.e1; TemplateInstance ti = dti.ti; { //assert(ti.needsTypeInference(sc)); ti.dsymbolSemantic(sc); if (!ti.inst || ti.errors) // if template failed to expand return setError(); ДСимвол s = ti.toAlias(); FuncDeclaration f = s.isFuncDeclaration(); if (f) { exp.e1 = new DotVarExp(exp.e1.место, dti.e1, f); exp.e1 = exp.e1.ВыражениеSemantic(sc); } } } else if (exp.e1.op == ТОК2.scope_) { TemplateInstance ti = (cast(ScopeExp)exp.e1).sds.isTemplateInstance(); if (ti) { //assert(ti.needsTypeInference(sc)); ti.dsymbolSemantic(sc); if (!ti.inst || ti.errors) // if template failed to expand return setError(); ДСимвол s = ti.toAlias(); FuncDeclaration f = s.isFuncDeclaration(); if (f) { exp.e1 = new VarExp(exp.e1.место, f); exp.e1 = exp.e1.ВыражениеSemantic(sc); } } } /* https://issues.dlang.org/show_bug.cgi?ид=809 * * If the address of a lazy variable is taken, * the Выражение is rewritten so that the тип * of it is the delegate тип. This means that * the symbol is not going to represent a call * to the delegate anymore, but rather, the * actual symbol. */ if (auto ve = exp.e1.isVarExp()) { if (ve.var.класс_хранения & STC.lazy_) { exp.e1 = exp.e1.ВыражениеSemantic(sc); exp.e1 = resolveProperties(sc, exp.e1); if (auto callExp = exp.e1.isCallExp()) { if (callExp.e1.тип.toBasetype().ty == Tdelegate) { /* https://issues.dlang.org/show_bug.cgi?ид=20551 * * Cannot take address of lazy параметр in code * because it might end up being a pointer to undefined * memory. */ if (sc.func && !sc.intypeof && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("cannot take address of lazy параметр `%s` in `` function `%s`", ve.вТкст0(), sc.func.вТкст0()); setError(); } else { VarExp ve2 = callExp.e1.isVarExp(); ve2.delegateWasExtracted = да; ve2.var.класс_хранения |= STC.scope_; результат = ve2; } return; } } } } exp.e1 = exp.e1.toLvalue(sc, null); if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (checkNonAssignmentArrayOp(exp.e1)) return setError(); if (!exp.e1.тип) { exp.выведиОшибку("cannot take address of `%s`", exp.e1.вТкст0()); return setError(); } бул hasOverloads; if (auto f = isFuncAddress(exp, &hasOverloads)) { if (!hasOverloads && f.checkForwardRef(exp.место)) return setError(); } else if (!exp.e1.тип.deco) { if (exp.e1.op == ТОК2.variable) { VarExp ve = cast(VarExp)exp.e1; Declaration d = ve.var; exp.выведиОшибку("forward reference to %s `%s`", d.вид(), d.вТкст0()); } else exp.выведиОшибку("forward reference to `%s`", exp.e1.вТкст0()); return setError(); } exp.тип = exp.e1.тип.pointerTo(); // See if this should really be a delegate if (exp.e1.op == ТОК2.dotVariable) { DotVarExp dve = cast(DotVarExp)exp.e1; FuncDeclaration f = dve.var.isFuncDeclaration(); if (f) { f = f.toAliasFunc(); // FIXME, should see overloads // https://issues.dlang.org/show_bug.cgi?ид=1983 if (!dve.hasOverloads) f.tookAddressOf++; Выражение e; if (f.needThis()) e = new DelegateExp(exp.место, dve.e1, f, dve.hasOverloads); else // It is a function pointer. Convert &v.f() --> (v, &V.f()) e = new CommaExp(exp.место, dve.e1, new AddrExp(exp.место, new VarExp(exp.место, f, dve.hasOverloads))); e = e.ВыражениеSemantic(sc); результат = e; return; } // Look for misaligned pointer in mode if (checkUnsafeAccess(sc, dve, !exp.тип.isMutable(), да)) return setError(); if (глоб2.парамы.vsafe) { if (VarDeclaration v = expToVariable(dve.e1)) { if (!checkAddressVar(sc, exp, v)) return setError(); } } } else if (exp.e1.op == ТОК2.variable) { VarExp ve = cast(VarExp)exp.e1; VarDeclaration v = ve.var.isVarDeclaration(); if (v) { if (!checkAddressVar(sc, exp, v)) return setError(); ve.checkPurity(sc, v); } FuncDeclaration f = ve.var.isFuncDeclaration(); if (f) { /* Because nested functions cannot be overloaded, * mark here that we took its address because castTo() * may not be called with an exact match. */ if (!ve.hasOverloads || (f.isNested() && !f.needThis())) f.tookAddressOf++; if (f.isNested() && !f.needThis()) { if (f.isFuncLiteralDeclaration()) { if (!f.FuncDeclaration.isNested()) { /* Supply a 'null' for a this pointer if no this is доступно */ Выражение e = new DelegateExp(exp.место, new NullExp(exp.место, Тип.tnull), f, ve.hasOverloads); e = e.ВыражениеSemantic(sc); результат = e; return; } } Выражение e = new DelegateExp(exp.место, exp.e1, f, ve.hasOverloads); e = e.ВыражениеSemantic(sc); результат = e; return; } if (f.needThis()) { if (hasThis(sc)) { /* Should probably supply 'this' after overload resolution, * not before. */ Выражение ethis = new ThisExp(exp.место); Выражение e = new DelegateExp(exp.место, ethis, f, ve.hasOverloads); e = e.ВыражениеSemantic(sc); результат = e; return; } if (sc.func && !sc.intypeof) { if (!(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("`this` reference necessary to take address of member `%s` in `` function `%s`", f.вТкст0(), sc.func.вТкст0()); } } } } } else if ((exp.e1.op == ТОК2.this_ || exp.e1.op == ТОК2.super_) && глоб2.парамы.vsafe) { if (VarDeclaration v = expToVariable(exp.e1)) { if (!checkAddressVar(sc, exp, v)) return setError(); } } else if (exp.e1.op == ТОК2.call) { CallExp ce = cast(CallExp)exp.e1; if (ce.e1.тип.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)ce.e1.тип; if (tf.isref && sc.func && !sc.intypeof && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("cannot take address of `ref return` of `%s()` in `` function `%s`", ce.e1.вТкст0(), sc.func.вТкст0()); } } } else if (exp.e1.op == ТОК2.index) { /* For: * цел[3] a; * &a[i] * check 'a' the same as for a regular variable */ if (VarDeclaration v = expToVariable(exp.e1)) { if (глоб2.парамы.vsafe && !checkAddressVar(sc, exp, v)) return setError(); exp.e1.checkPurity(sc, v); } } else if (wasCond) { /* a ? b : c was transformed to *(a ? &b : &c), but we still * need to do safety checks */ assert(exp.e1.op == ТОК2.star); PtrExp pe = cast(PtrExp)exp.e1; assert(pe.e1.op == ТОК2.question); CondExp ce = cast(CondExp)pe.e1; assert(ce.e1.op == ТОК2.address); assert(ce.e2.op == ТОК2.address); // Re-run semantic on the address Выражения only ce.e1.тип = null; ce.e1 = ce.e1.ВыражениеSemantic(sc); ce.e2.тип = null; ce.e2 = ce.e2.ВыражениеSemantic(sc); } результат = exp.optimize(WANTvalue); } override проц посети(PtrExp exp) { static if (LOGSEMANTIC) { printf("PtrExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } Тип tb = exp.e1.тип.toBasetype(); switch (tb.ty) { case Tpointer: exp.тип = (cast(TypePointer)tb).следщ; break; case Tsarray: case Tarray: if (isNonAssignmentArrayOp(exp.e1)) goto default; exp.выведиОшибку("using `*` on an массив is no longer supported; use `*(%s).ptr` instead", exp.e1.вТкст0()); exp.тип = (cast(TypeArray)tb).следщ; exp.e1 = exp.e1.castTo(sc, exp.тип.pointerTo()); break; case Terror: return setError(); default: exp.выведиОшибку("can only `*` a pointer, not a `%s`", exp.e1.тип.вТкст0()); goto case Terror; } if (exp.checkValue() || exp.checkSharedAccess(sc)) return setError(); результат = exp; } override проц посети(NegExp exp) { static if (LOGSEMANTIC) { printf("NegExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } fix16997(sc, exp); exp.тип = exp.e1.тип; Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp.e1)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op)) { результат = exp.incompatibleTypes(); return; } if (exp.e1.checkNoBool()) return setError(); if (exp.e1.checkArithmetic() || exp.e1.checkSharedAccess(sc)) return setError(); результат = exp; } override проц посети(UAddExp exp) { static if (LOGSEMANTIC) { printf("UAddExp::semantic('%s')\n", exp.вТкст0()); } assert(!exp.тип); Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } fix16997(sc, exp); if (!target.isVectorOpSupported(exp.e1.тип.toBasetype(), exp.op)) { результат = exp.incompatibleTypes(); return; } if (exp.e1.checkNoBool()) return setError(); if (exp.e1.checkArithmetic()) return setError(); if (exp.e1.checkSharedAccess(sc)) return setError(); результат = exp.e1; } override проц посети(ComExp exp) { if (exp.тип) { результат = exp; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } fix16997(sc, exp); exp.тип = exp.e1.тип; Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp.e1)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op)) { результат = exp.incompatibleTypes(); return; } if (exp.e1.checkNoBool()) return setError(); if (exp.e1.checkIntegral() || exp.e1.checkSharedAccess(sc)) return setError(); результат = exp; } override проц посети(NotExp e) { if (e.тип) { результат = e; return; } e.setNoderefOperand(); // Note there is no operator overload if (Выражение ex = unaSemantic(e, sc)) { результат = ex; return; } // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 if (e.e1.op == ТОК2.тип) e.e1 = resolveAliasThis(sc, e.e1); e.e1 = resolveProperties(sc, e.e1); e.e1 = e.e1.toBoolean(sc); if (e.e1.тип == Тип.terror) { результат = e.e1; return; } if (!target.isVectorOpSupported(e.e1.тип.toBasetype(), e.op)) { результат = e.incompatibleTypes(); } // https://issues.dlang.org/show_bug.cgi?ид=13910 // Today NotExp can take an массив as its operand. if (checkNonAssignmentArrayOp(e.e1)) return setError(); e.тип = Тип.tбул; результат = e; } override проц посети(DeleteExp exp) { if (!sc.isDeprecated) { // @@@DEPRECATED_2019-02@@@ // 1. Deprecation for 1 year // 2. Error for 1 year // 3. Removal of keyword, "delete" can be используется for other identities if (!exp.isRAII) deprecation(exp.место, "The `delete` keyword has been deprecated. Use `объект.разрушь()` (and `core.memory.СМ.free()` if applicable) instead."); } if (Выражение ex = unaSemantic(exp, sc)) { результат = ex; return; } exp.e1 = resolveProperties(sc, exp.e1); exp.e1 = exp.e1.modifiableLvalue(sc, null); if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } exp.тип = Тип.tvoid; AggregateDeclaration ad = null; Тип tb = exp.e1.тип.toBasetype(); switch (tb.ty) { case Tclass: { auto cd = (cast(TypeClass)tb).sym; if (cd.isCOMinterface()) { /* Because COM classes are deleted by IUnknown.Release() */ exp.выведиОшибку("cannot `delete` instance of COM interface `%s`", cd.вТкст0()); return setError(); } ad = cd; break; } case Tpointer: tb = (cast(TypePointer)tb).следщ.toBasetype(); if (tb.ty == Tstruct) { ad = (cast(TypeStruct)tb).sym; semanticTypeInfo(sc, tb); } break; case Tarray: { Тип tv = tb.nextOf().baseElemOf(); if (tv.ty == Tstruct) { ad = (cast(TypeStruct)tv).sym; if (ad.dtor) semanticTypeInfo(sc, ad.тип); } break; } default: exp.выведиОшибку("cannot delete тип `%s`", exp.e1.тип.вТкст0()); return setError(); } бул err = нет; if (ad) { if (ad.dtor) { err |= exp.checkPurity(sc, ad.dtor); err |= exp.checkSafety(sc, ad.dtor); err |= exp.checkNogc(sc, ad.dtor); } if (err) return setError(); } if (!sc.intypeof && sc.func && !exp.isRAII && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("`%s` is not `` but is используется in `` function `%s`", exp.вТкст0(), sc.func.вТкст0()); err = да; } if (err) return setError(); результат = exp; } override проц посети(CastExp exp) { static if (LOGSEMANTIC) { printf("CastExp::semantic('%s')\n", exp.вТкст0()); } //static цел x; assert(++x < 10); if (exp.тип) { результат = exp; return; } if (exp.to) { exp.to = exp.to.typeSemantic(exp.место, sc); if (exp.to == Тип.terror) return setError(); if (!exp.to.hasPointers()) exp.setNoderefOperand(); // When e1 is a template lambda, this cast may instantiate it with // the тип 'to'. exp.e1 = inferType(exp.e1, exp.to); } if (auto e = unaSemantic(exp, sc)) { результат = e; return; } // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 if (exp.e1.op == ТОК2.тип) exp.e1 = resolveAliasThis(sc, exp.e1); auto e1x = resolveProperties(sc, exp.e1); if (e1x.op == ТОК2.error) { результат = e1x; return; } if (e1x.checkType()) return setError(); exp.e1 = e1x; if (!exp.e1.тип) { exp.выведиОшибку("cannot cast `%s`", exp.e1.вТкст0()); return setError(); } // https://issues.dlang.org/show_bug.cgi?ид=19954 if (exp.e1.тип.ty == Ttuple) { TupleExp te = exp.e1.isTupleExp(); if (te.exps.dim == 1) exp.e1 = (*te.exps)[0]; } // only allow S(x) rewrite if cast specified S explicitly. // See https://issues.dlang.org/show_bug.cgi?ид=18545 const бул allowImplicitConstruction = exp.to !is null; if (!exp.to) // Handle cast(const) and cast(const), etc. { exp.to = exp.e1.тип.castMod(exp.mod); exp.to = exp.to.typeSemantic(exp.место, sc); if (exp.to == Тип.terror) return setError(); } if (exp.to.ty == Ttuple) { exp.выведиОшибку("cannot cast `%s` to кортеж тип `%s`", exp.e1.вТкст0(), exp.to.вТкст0()); return setError(); } // cast(проц) is используется to mark e1 as unused, so it is safe if (exp.to.ty == Tvoid) { exp.тип = exp.to; результат = exp; return; } if (!exp.to.равен(exp.e1.тип) && exp.mod == cast(ббайт)~0) { if (Выражение e = exp.op_overload(sc)) { результат = e.implicitCastTo(sc, exp.to); return; } } Тип t1b = exp.e1.тип.toBasetype(); Тип tob = exp.to.toBasetype(); if (allowImplicitConstruction && tob.ty == Tstruct && !tob.равен(t1b)) { /* Look to replace: * cast(S)t * with: * S(t) */ // Rewrite as to.call(e1) Выражение e = new TypeExp(exp.место, exp.to); e = new CallExp(exp.место, e, exp.e1); e = e.trySemantic(sc); if (e) { результат = e; return; } } if (!t1b.равен(tob) && (t1b.ty == Tarray || t1b.ty == Tsarray)) { if (checkNonAssignmentArrayOp(exp.e1)) return setError(); } // Look for casting to a vector тип if (tob.ty == Tvector && t1b.ty != Tvector) { результат = new VectorExp(exp.место, exp.e1, exp.to); результат = результат.ВыражениеSemantic(sc); return; } Выражение ex = exp.e1.castTo(sc, exp.to); if (ex.op == ТОК2.error) { результат = ex; return; } // Check for unsafe casts if (!sc.intypeof && !(sc.flags & SCOPE.debug_) && !isSafeCast(ex, t1b, tob) && (!sc.func && sc.stc & STC.safe || sc.func && sc.func.setUnsafe())) { exp.выведиОшибку("cast from `%s` to `%s` not allowed in safe code", exp.e1.тип.вТкст0(), exp.to.вТкст0()); return setError(); } // `объект.__МассивCast` is a rewrite of an old runtime hook `_d_arraycast`. `_d_arraycast` was not built // to handle certain casts. Those casts which `объект.__МассивCast` does not support are filtered out. // See `e2ir.toElemCast` for other types of casts. If `объект.__МассивCast` is improved to support more // casts these conditions and potentially some logic in `e2ir.toElemCast` can be removed. if (tob.ty == Tarray) { // https://issues.dlang.org/show_bug.cgi?ид=19840 if (auto ad = isAggregate(t1b)) { if (ad.aliasthis) { Выражение e = resolveAliasThis(sc, exp.e1); e = new CastExp(exp.место, e, exp.to); результат = e.ВыражениеSemantic(sc); return; } } if(t1b.ty == Tarray && exp.e1.op != ТОК2.arrayLiteral && (sc.flags & SCOPE.ctfe) == 0) { auto tFrom = t1b.nextOf(); auto tTo = tob.nextOf(); // https://issues.dlang.org/show_bug.cgi?ид=19954 if (exp.e1.op != ТОК2.string_ || tTo.ty == Tarray) { const бцел fromSize = cast(бцел)tFrom.size(); const бцел toSize = cast(бцел)tTo.size(); // If массив element sizes do not match, we must adjust the dimensions if (fromSize != toSize) { if (!verifyHookExist(exp.место, *sc, Id.__МассивCast, "casting массив of structs")) return setError(); // A runtime check is needed in case arrays don't line up. That check should // be done in the implementation of `объект.__МассивCast` if (toSize == 0 || (fromSize % toSize) != 0) { // lower to `объект.__МассивCast!(TFrom, TTo)(from)` // fully qualify as `объект.__МассивCast` Выражение ид = new IdentifierExp(exp.место, Id.empty); auto dotid = new DotIdExp(exp.место, ид, Id.объект); auto tiargs = new Объекты(); tiargs.сунь(tFrom); tiargs.сунь(tTo); auto dt = new DotTemplateInstanceExp(exp.место, dotid, Id.__МассивCast, tiargs); auto arguments = new Выражения(); arguments.сунь(exp.e1); Выражение ce = new CallExp(exp.место, dt, arguments); результат = ВыражениеSemantic(ce, sc); return; } } } } } результат = ex; } override проц посети(VectorExp exp) { static if (LOGSEMANTIC) { printf("VectorExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } exp.e1 = exp.e1.ВыражениеSemantic(sc); exp.тип = exp.to.typeSemantic(exp.место, sc); if (exp.e1.op == ТОК2.error || exp.тип.ty == Terror) { результат = exp.e1; return; } Тип tb = exp.тип.toBasetype(); assert(tb.ty == Tvector); TypeVector tv = cast(TypeVector)tb; Тип te = tv.elementType(); exp.dim = cast(цел)(tv.size(exp.место) / te.size(exp.место)); бул checkElem(Выражение elem) { if (elem.isConst() == 1) return нет; exp.выведиОшибку("constant Выражение expected, not `%s`", elem.вТкст0()); return да; } exp.e1 = exp.e1.optimize(WANTvalue); бул res; if (exp.e1.op == ТОК2.arrayLiteral) { foreach (i; new бцел[0 .. exp.dim]) { // Do not stop on first error - check all AST nodes even if error found res |= checkElem(exp.e1.isArrayLiteralExp()[i]); } } else if (exp.e1.тип.ty == Tvoid) checkElem(exp.e1); результат = res ? new ErrorExp() : exp; } override проц посети(VectorArrayExp e) { static if (LOGSEMANTIC) { printf("VectorArrayExp::semantic('%s')\n", e.вТкст0()); } if (!e.тип) { unaSemantic(e, sc); e.e1 = resolveProperties(sc, e.e1); if (e.e1.op == ТОК2.error) { результат = e.e1; return; } assert(e.e1.тип.ty == Tvector); e.тип = e.e1.тип.isTypeVector().basetype; } результат = e; } override проц посети(SliceExp exp) { static if (LOGSEMANTIC) { printf("SliceExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } // operator overloading should be handled in ArrayExp already. if (Выражение ex = unaSemantic(exp, sc)) { результат = ex; return; } exp.e1 = resolveProperties(sc, exp.e1); if (exp.e1.op == ТОК2.тип && exp.e1.тип.ty != Ttuple) { if (exp.lwr || exp.upr) { exp.выведиОшибку("cannot slice тип `%s`", exp.e1.вТкст0()); return setError(); } Выражение e = new TypeExp(exp.место, exp.e1.тип.arrayOf()); результат = e.ВыражениеSemantic(sc); return; } if (!exp.lwr && !exp.upr) { if (exp.e1.op == ТОК2.arrayLiteral) { // Convert [a,b,c][] to [a,b,c] Тип t1b = exp.e1.тип.toBasetype(); Выражение e = exp.e1; if (t1b.ty == Tsarray) { e = e.копируй(); e.тип = t1b.nextOf().arrayOf(); } результат = e; return; } if (exp.e1.op == ТОК2.slice) { // Convert e[][] to e[] SliceExp se = cast(SliceExp)exp.e1; if (!se.lwr && !se.upr) { результат = se; return; } } if (isArrayOpOperand(exp.e1)) { // Convert (a[]+b[])[] to a[]+b[] результат = exp.e1; return; } } if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (exp.e1.тип.ty == Terror) return setError(); Тип t1b = exp.e1.тип.toBasetype(); if (t1b.ty == Tpointer) { if ((cast(TypePointer)t1b).следщ.ty == Tfunction) { exp.выведиОшибку("cannot slice function pointer `%s`", exp.e1.вТкст0()); return setError(); } if (!exp.lwr || !exp.upr) { exp.выведиОшибку("need upper and lower bound to slice pointer"); return setError(); } if (sc.func && !sc.intypeof && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("pointer slicing not allowed in safe functions"); return setError(); } } else if (t1b.ty == Tarray) { } else if (t1b.ty == Tsarray) { if (!exp.arrayop && глоб2.парамы.vsafe) { /* Slicing a static массив is like taking the address of it. * Perform checks as if e[] was &e */ if (VarDeclaration v = expToVariable(exp.e1)) { if (exp.e1.op == ТОК2.dotVariable) { DotVarExp dve = cast(DotVarExp)exp.e1; if ((dve.e1.op == ТОК2.this_ || dve.e1.op == ТОК2.super_) && !(v.класс_хранения & STC.ref_)) { // because it's a class v = null; } } if (v && !checkAddressVar(sc, exp, v)) return setError(); } } } else if (t1b.ty == Ttuple) { if (!exp.lwr && !exp.upr) { результат = exp.e1; return; } if (!exp.lwr || !exp.upr) { exp.выведиОшибку("need upper and lower bound to slice кортеж"); return setError(); } } else if (t1b.ty == Tvector) { // Convert e1 to corresponding static массив TypeVector tv1 = cast(TypeVector)t1b; t1b = tv1.basetype; t1b = t1b.castMod(tv1.mod); exp.e1.тип = t1b; } else { exp.выведиОшибку("`%s` cannot be sliced with `[]`", t1b.ty == Tvoid ? exp.e1.вТкст0() : t1b.вТкст0()); return setError(); } /* Run semantic on lwr and upr. */ Scope* scx = sc; if (t1b.ty == Tsarray || t1b.ty == Tarray || t1b.ty == Ttuple) { // Create scope for 'length' variable ScopeDsymbol sym = new ArrayScopeSymbol(sc, exp); sym.родитель = sc.scopesym; sc = sc.сунь(sym); } if (exp.lwr) { if (t1b.ty == Ttuple) sc = sc.startCTFE(); exp.lwr = exp.lwr.ВыражениеSemantic(sc); exp.lwr = resolveProperties(sc, exp.lwr); if (t1b.ty == Ttuple) sc = sc.endCTFE(); exp.lwr = exp.lwr.implicitCastTo(sc, Тип.tт_мера); } if (exp.upr) { if (t1b.ty == Ttuple) sc = sc.startCTFE(); exp.upr = exp.upr.ВыражениеSemantic(sc); exp.upr = resolveProperties(sc, exp.upr); if (t1b.ty == Ttuple) sc = sc.endCTFE(); exp.upr = exp.upr.implicitCastTo(sc, Тип.tт_мера); } if (sc != scx) sc = sc.вынь(); if (exp.lwr && exp.lwr.тип == Тип.terror || exp.upr && exp.upr.тип == Тип.terror) return setError(); if (t1b.ty == Ttuple) { exp.lwr = exp.lwr.ctfeInterpret(); exp.upr = exp.upr.ctfeInterpret(); uinteger_t i1 = exp.lwr.toUInteger(); uinteger_t i2 = exp.upr.toUInteger(); TupleExp te; КортежТипов tup; т_мера length; if (exp.e1.op == ТОК2.кортеж) // slicing an Выражение кортеж { te = cast(TupleExp)exp.e1; tup = null; length = te.exps.dim; } else if (exp.e1.op == ТОК2.тип) // slicing a тип кортеж { te = null; tup = cast(КортежТипов)t1b; length = Параметр2.dim(tup.arguments); } else assert(0); if (i2 < i1 || length < i2) { exp.выведиОшибку("ткст slice `[%llu .. %llu]` is out of bounds", i1, i2); return setError(); } т_мера j1 = cast(т_мера)i1; т_мера j2 = cast(т_мера)i2; Выражение e; if (exp.e1.op == ТОК2.кортеж) { auto exps = new Выражения(j2 - j1); for (т_мера i = 0; i < j2 - j1; i++) { (*exps)[i] = (*te.exps)[j1 + i]; } e = new TupleExp(exp.место, te.e0, exps); } else { auto args = new Параметры(); args.резервируй(j2 - j1); for (т_мера i = j1; i < j2; i++) { Параметр2 arg = Параметр2.getNth(tup.arguments, i); args.сунь(arg); } e = new TypeExp(exp.e1.место, new КортежТипов(args)); } e = e.ВыражениеSemantic(sc); результат = e; return; } exp.тип = t1b.nextOf().arrayOf(); // Allow typedef[] -> typedef[] if (exp.тип.равен(t1b)) exp.тип = exp.e1.тип; // We might know $ now setLengthVarIfKnown(exp.lengthVar, t1b); if (exp.lwr && exp.upr) { exp.lwr = exp.lwr.optimize(WANTvalue); exp.upr = exp.upr.optimize(WANTvalue); IntRange lwrRange = getIntRange(exp.lwr); IntRange uprRange = getIntRange(exp.upr); if (t1b.ty == Tsarray || t1b.ty == Tarray) { Выражение el = new ArrayLengthExp(exp.место, exp.e1); el = el.ВыражениеSemantic(sc); el = el.optimize(WANTvalue); if (el.op == ТОК2.int64) { // МассивДРК length is known at compile-time. Upper is in bounds if it fits length. dinteger_t length = el.toInteger(); auto bounds = IntRange(SignExtendedNumber(0), SignExtendedNumber(length)); exp.upperIsInBounds = bounds.содержит(uprRange); } else if (exp.upr.op == ТОК2.int64 && exp.upr.toInteger() == 0) { // Upper slice Выражение is '0'. Значение is always in bounds. exp.upperIsInBounds = да; } else if (exp.upr.op == ТОК2.variable && (cast(VarExp)exp.upr).var.идент == Id.dollar) { // Upper slice Выражение is '$'. Значение is always in bounds. exp.upperIsInBounds = да; } } else if (t1b.ty == Tpointer) { exp.upperIsInBounds = да; } else assert(0); exp.lowerIsLessThanUpper = (lwrRange.imax <= uprRange.imin); //printf("upperIsInBounds = %d lowerIsLessThanUpper = %d\n", exp.upperIsInBounds, exp.lowerIsLessThanUpper); } результат = exp; } override проц посети(ArrayLengthExp e) { static if (LOGSEMANTIC) { printf("ArrayLengthExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } if (Выражение ex = unaSemantic(e, sc)) { результат = ex; return; } e.e1 = resolveProperties(sc, e.e1); e.тип = Тип.tт_мера; результат = e; } override проц посети(ArrayExp exp) { static if (LOGSEMANTIC) { printf("ArrayExp::semantic('%s')\n", exp.вТкст0()); } assert(!exp.тип); Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (isAggregate(exp.e1.тип)) exp.выведиОшибку("no `[]` operator overload for тип `%s`", exp.e1.тип.вТкст0()); else if (exp.e1.op == ТОК2.тип && exp.e1.тип.ty != Ttuple) exp.выведиОшибку("static массив of `%s` with multiple lengths not allowed", exp.e1.тип.вТкст0()); else if (isIndexableNonAggregate(exp.e1.тип)) exp.выведиОшибку("only one index allowed to index `%s`", exp.e1.тип.вТкст0()); else exp.выведиОшибку("cannot use `[]` operator on Выражение of тип `%s`", exp.e1.тип.вТкст0()); результат = new ErrorExp(); } override проц посети(DotExp exp) { static if (LOGSEMANTIC) { printf("DotExp::semantic('%s')\n", exp.вТкст0()); if (exp.тип) printf("\ttype = %s\n", exp.тип.вТкст0()); } exp.e1 = exp.e1.ВыражениеSemantic(sc); exp.e2 = exp.e2.ВыражениеSemantic(sc); if (exp.e1.op == ТОК2.тип) { результат = exp.e2; return; } if (exp.e2.op == ТОК2.тип) { результат = exp.e2; return; } if (exp.e2.op == ТОК2.template_) { auto td = (cast(TemplateExp)exp.e2).td; Выражение e = new DotTemplateExp(exp.место, exp.e1, td); результат = e.ВыражениеSemantic(sc); return; } if (!exp.тип || exp.e1.op == ТОК2.this_) exp.тип = exp.e2.тип; результат = exp; } override проц посети(CommaExp e) { if (e.тип) { результат = e; return; } // Allow `((a,b),(x,y))` if (e.allowCommaExp) { CommaExp.allow(e.e1); CommaExp.allow(e.e2); } if (Выражение ex = binSemanticProp(e, sc)) { результат = ex; return; } e.e1 = e.e1.addDtorHook(sc); if (checkNonAssignmentArrayOp(e.e1)) return setError(); e.тип = e.e2.тип; if (e.тип !is Тип.tvoid && !e.allowCommaExp && !e.isGenerated) e.выведиОшибку("Using the результат of a comma Выражение is not allowed"); результат = e; } override проц посети(IntervalExp e) { static if (LOGSEMANTIC) { printf("IntervalExp::semantic('%s')\n", e.вТкст0()); } if (e.тип) { результат = e; return; } Выражение le = e.lwr; le = le.ВыражениеSemantic(sc); le = resolveProperties(sc, le); Выражение ue = e.upr; ue = ue.ВыражениеSemantic(sc); ue = resolveProperties(sc, ue); if (le.op == ТОК2.error) { результат = le; return; } if (ue.op == ТОК2.error) { результат = ue; return; } e.lwr = le; e.upr = ue; e.тип = Тип.tvoid; результат = e; } override проц посети(DelegatePtrExp e) { static if (LOGSEMANTIC) { printf("DelegatePtrExp::semantic('%s')\n", e.вТкст0()); } if (!e.тип) { unaSemantic(e, sc); e.e1 = resolveProperties(sc, e.e1); if (e.e1.op == ТОК2.error) { результат = e.e1; return; } e.тип = Тип.tvoidptr; } результат = e; } override проц посети(DelegateFuncptrExp e) { static if (LOGSEMANTIC) { printf("DelegateFuncptrExp::semantic('%s')\n", e.вТкст0()); } if (!e.тип) { unaSemantic(e, sc); e.e1 = resolveProperties(sc, e.e1); if (e.e1.op == ТОК2.error) { результат = e.e1; return; } e.тип = e.e1.тип.nextOf().pointerTo(); } результат = e; } override проц посети(IndexExp exp) { static if (LOGSEMANTIC) { printf("IndexExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } // operator overloading should be handled in ArrayExp already. if (!exp.e1.тип) exp.e1 = exp.e1.ВыражениеSemantic(sc); assert(exp.e1.тип); // semantic() should already be run on it if (exp.e1.op == ТОК2.тип && exp.e1.тип.ty != Ttuple) { exp.e2 = exp.e2.ВыражениеSemantic(sc); exp.e2 = resolveProperties(sc, exp.e2); Тип nt; if (exp.e2.op == ТОК2.тип) nt = new TypeAArray(exp.e1.тип, exp.e2.тип); else nt = new TypeSArray(exp.e1.тип, exp.e2); Выражение e = new TypeExp(exp.место, nt); результат = e.ВыражениеSemantic(sc); return; } if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (exp.e1.тип.ty == Terror) return setError(); // Note that unlike C we do not implement the цел[ptr] Тип t1b = exp.e1.тип.toBasetype(); if (t1b.ty == Tvector) { // Convert e1 to corresponding static массив TypeVector tv1 = cast(TypeVector)t1b; t1b = tv1.basetype; t1b = t1b.castMod(tv1.mod); exp.e1.тип = t1b; } /* Run semantic on e2 */ Scope* scx = sc; if (t1b.ty == Tsarray || t1b.ty == Tarray || t1b.ty == Ttuple) { // Create scope for 'length' variable ScopeDsymbol sym = new ArrayScopeSymbol(sc, exp); sym.родитель = sc.scopesym; sc = sc.сунь(sym); } if (t1b.ty == Ttuple) sc = sc.startCTFE(); exp.e2 = exp.e2.ВыражениеSemantic(sc); exp.e2 = resolveProperties(sc, exp.e2); if (t1b.ty == Ttuple) sc = sc.endCTFE(); if (exp.e2.op == ТОК2.кортеж) { TupleExp te = cast(TupleExp)exp.e2; if (te.exps && te.exps.dim == 1) exp.e2 = Выражение.combine(te.e0, (*te.exps)[0]); // bug 4444 fix } if (sc != scx) sc = sc.вынь(); if (exp.e2.тип == Тип.terror) return setError(); if (checkNonAssignmentArrayOp(exp.e1)) return setError(); switch (t1b.ty) { case Tpointer: if ((cast(TypePointer)t1b).следщ.ty == Tfunction) { exp.выведиОшибку("cannot index function pointer `%s`", exp.e1.вТкст0()); return setError(); } exp.e2 = exp.e2.implicitCastTo(sc, Тип.tт_мера); if (exp.e2.тип == Тип.terror) return setError(); exp.e2 = exp.e2.optimize(WANTvalue); if (exp.e2.op == ТОК2.int64 && exp.e2.toInteger() == 0) { } else if (sc.func && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("safe function `%s` cannot index pointer `%s`", sc.func.toPrettyChars(), exp.e1.вТкст0()); return setError(); } exp.тип = (cast(TypeNext)t1b).следщ; break; case Tarray: exp.e2 = exp.e2.implicitCastTo(sc, Тип.tт_мера); if (exp.e2.тип == Тип.terror) return setError(); exp.тип = (cast(TypeNext)t1b).следщ; break; case Tsarray: { exp.e2 = exp.e2.implicitCastTo(sc, Тип.tт_мера); if (exp.e2.тип == Тип.terror) return setError(); exp.тип = t1b.nextOf(); break; } case Taarray: { TypeAArray taa = cast(TypeAArray)t1b; /* We can skip the implicit conversion if they differ only by * constness * https://issues.dlang.org/show_bug.cgi?ид=2684 * see also bug https://issues.dlang.org/show_bug.cgi?ид=2954 b */ if (!arrayTypeCompatibleWithoutCasting(exp.e2.тип, taa.index)) { exp.e2 = exp.e2.implicitCastTo(sc, taa.index); // тип checking if (exp.e2.тип == Тип.terror) return setError(); } semanticTypeInfo(sc, taa); exp.тип = taa.следщ; break; } case Ttuple: { exp.e2 = exp.e2.implicitCastTo(sc, Тип.tт_мера); if (exp.e2.тип == Тип.terror) return setError(); exp.e2 = exp.e2.ctfeInterpret(); uinteger_t index = exp.e2.toUInteger(); TupleExp te; КортежТипов tup; т_мера length; if (exp.e1.op == ТОК2.кортеж) { te = cast(TupleExp)exp.e1; tup = null; length = te.exps.dim; } else if (exp.e1.op == ТОК2.тип) { te = null; tup = cast(КортежТипов)t1b; length = Параметр2.dim(tup.arguments); } else assert(0); if (length <= index) { exp.выведиОшибку("массив index `[%llu]` is outside массив bounds `[0 .. %llu]`", index, cast(бдол)length); return setError(); } Выражение e; if (exp.e1.op == ТОК2.кортеж) { e = (*te.exps)[cast(т_мера)index]; e = Выражение.combine(te.e0, e); } else e = new TypeExp(exp.e1.место, Параметр2.getNth(tup.arguments, cast(т_мера)index).тип); результат = e; return; } default: exp.выведиОшибку("`%s` must be an массив or pointer тип, not `%s`", exp.e1.вТкст0(), exp.e1.тип.вТкст0()); return setError(); } // We might know $ now setLengthVarIfKnown(exp.lengthVar, t1b); if (t1b.ty == Tsarray || t1b.ty == Tarray) { Выражение el = new ArrayLengthExp(exp.место, exp.e1); el = el.ВыражениеSemantic(sc); el = el.optimize(WANTvalue); if (el.op == ТОК2.int64) { exp.e2 = exp.e2.optimize(WANTvalue); dinteger_t length = el.toInteger(); if (length) { auto bounds = IntRange(SignExtendedNumber(0), SignExtendedNumber(length - 1)); exp.indexIsInBounds = bounds.содержит(getIntRange(exp.e2)); } } } результат = exp; } override проц посети(PostExp exp) { static if (LOGSEMANTIC) { printf("PostExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemantic(exp, sc)) { результат = ex; return; } Выражение e1x = resolveProperties(sc, exp.e1); if (e1x.op == ТОК2.error) { результат = e1x; return; } exp.e1 = e1x; Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.checkReadModifyWrite(exp.op)) return setError(); if (exp.e1.op == ТОК2.slice) { ткст0 s = exp.op == ТОК2.plusPlus ? "increment" : "decrement"; exp.выведиОшибку("cannot post-%s массив slice `%s`, use pre-%s instead", s, exp.e1.вТкст0(), s); return setError(); } exp.e1 = exp.e1.optimize(WANTvalue); Тип t1 = exp.e1.тип.toBasetype(); if (t1.ty == Tclass || t1.ty == Tstruct || exp.e1.op == ТОК2.arrayLength) { /* Check for operator overloading, * but rewrite in terms of ++e instead of e++ */ /* If e1 is not trivial, take a reference to it */ Выражение de = null; if (exp.e1.op != ТОК2.variable && exp.e1.op != ТОК2.arrayLength) { // ref v = e1; auto v = copyToTemp(STC.ref_, "__postref", exp.e1); de = new DeclarationExp(exp.место, v); exp.e1 = new VarExp(exp.e1.место, v); } /* Rewrite as: * auto tmp = e1; ++e1; tmp */ auto tmp = copyToTemp(0, "__pitmp", exp.e1); Выражение ea = new DeclarationExp(exp.место, tmp); Выражение eb = exp.e1.syntaxCopy(); eb = new PreExp(exp.op == ТОК2.plusPlus ? ТОК2.prePlusPlus : ТОК2.preMinusMinus, exp.место, eb); Выражение ec = new VarExp(exp.место, tmp); // Combine de,ea,eb,ec if (de) ea = new CommaExp(exp.место, de, ea); e = new CommaExp(exp.место, ea, eb); e = new CommaExp(exp.место, e, ec); e = e.ВыражениеSemantic(sc); результат = e; return; } exp.e1 = exp.e1.modifiableLvalue(sc, exp.e1); e = exp; if (exp.e1.checkScalar() || exp.e1.checkSharedAccess(sc)) return setError(); if (exp.e1.checkNoBool()) return setError(); if (exp.e1.тип.ty == Tpointer) e = scaleFactor(exp, sc); else exp.e2 = exp.e2.castTo(sc, exp.e1.тип); e.тип = exp.e1.тип; результат = e; } override проц посети(PreExp exp) { Выражение e = exp.op_overload(sc); // printf("PreExp::semantic('%s')\n", вТкст0()); if (e) { результат = e; return; } // Rewrite as e1+=1 or e1-=1 if (exp.op == ТОК2.prePlusPlus) e = new AddAssignExp(exp.место, exp.e1, new IntegerExp(exp.место, 1, Тип.tint32)); else e = new MinAssignExp(exp.место, exp.e1, new IntegerExp(exp.место, 1, Тип.tint32)); результат = e.ВыражениеSemantic(sc); } /* * Get the Выражение инициализатор for a specific struct * * Параметры: * sd = the struct for which the Выражение инициализатор is needed * место = the location of the инициализатор * sc = the scope where the Выражение is located * t = the тип of the Выражение * * Возвращает: * The Выражение инициализатор or error Выражение if any errors occured */ private Выражение getInitExp(StructDeclaration sd, Место место, Scope* sc, Тип t) { if (sd.zeroInit && !sd.isNested()) { // https://issues.dlang.org/show_bug.cgi?ид=14606 // Always use BlitExp for the special Выражение: (struct = 0) return new IntegerExp(место, 0, Тип.tint32); } if (sd.isNested()) { auto sle = new StructLiteralExp(место, sd, null, t); if (!sd.fill(место, sle.elements, да)) return new ErrorExp(); if (checkFrameAccess(место, sc, sd, sle.elements.dim)) return new ErrorExp(); sle.тип = t; return sle; } return t.defaultInit(место); } override проц посети(AssignExp exp) { static if (LOGSEMANTIC) { printf("AssignExp::semantic('%s')\n", exp.вТкст0()); } //printf("exp.e1.op = %d, '%s'\n", exp.e1.op, Сема2.вТкст0(exp.e1.op)); //printf("exp.e2.op = %d, '%s'\n", exp.e2.op, Сема2.вТкст0(exp.e2.op)); проц setрезультат(Выражение e, цел line = __LINE__) { //printf("line %d\n", line); результат = e; } if (exp.тип) { return setрезультат(exp); } Выражение e1old = exp.e1; if (auto e2comma = exp.e2.isCommaExp()) { if (!e2comma.isGenerated) exp.выведиОшибку("Using the результат of a comma Выражение is not allowed"); /* Rewrite to get rid of the comma from rvalue * e1=(e0,e2) => e0,(e1=e2) */ Выражение e0; exp.e2 = Выражение.extractLast(e2comma, e0); Выражение e = Выражение.combine(e0, exp); return setрезультат(e.ВыражениеSemantic(sc)); } /* Look for operator overloading of a[arguments] = e2. * Do it before e1.ВыражениеSemantic() otherwise the ArrayExp will have been * converted to unary operator overloading already. */ if (auto ae = exp.e1.isArrayExp()) { Выражение res; ae.e1 = ae.e1.ВыражениеSemantic(sc); ae.e1 = resolveProperties(sc, ae.e1); Выражение ae1old = ae.e1; const бул maybeSlice = (ae.arguments.dim == 0 || ae.arguments.dim == 1 && (*ae.arguments)[0].op == ТОК2.interval); IntervalExp ie = null; if (maybeSlice && ae.arguments.dim) { assert((*ae.arguments)[0].op == ТОК2.interval); ie = cast(IntervalExp)(*ae.arguments)[0]; } while (да) { if (ae.e1.op == ТОК2.error) return setрезультат(ae.e1); Выражение e0 = null; Выражение ae1save = ae.e1; ae.lengthVar = null; Тип t1b = ae.e1.тип.toBasetype(); AggregateDeclaration ad = isAggregate(t1b); if (!ad) break; if (search_function(ad, Id.indexass)) { // Deal with $ res = resolveOpDollar(sc, ae, &e0); if (!res) // a[i..j] = e2 might be: a.opSliceAssign(e2, i, j) goto Lfallback; if (res.op == ТОК2.error) return setрезультат(res); res = exp.e2.ВыражениеSemantic(sc); if (res.op == ТОК2.error) return setрезультат(res); exp.e2 = res; /* Rewrite (a[arguments] = e2) as: * a.opIndexAssign(e2, arguments) */ Выражения* a = ae.arguments.копируй(); a.вставь(0, exp.e2); res = new DotIdExp(exp.место, ae.e1, Id.indexass); res = new CallExp(exp.место, res, a); if (maybeSlice) // a[] = e2 might be: a.opSliceAssign(e2) res = res.trySemantic(sc); else res = res.ВыражениеSemantic(sc); if (res) return setрезультат(Выражение.combine(e0, res)); } Lfallback: if (maybeSlice && search_function(ad, Id.sliceass)) { // Deal with $ res = resolveOpDollar(sc, ae, ie, &e0); if (res.op == ТОК2.error) return setрезультат(res); res = exp.e2.ВыражениеSemantic(sc); if (res.op == ТОК2.error) return setрезультат(res); exp.e2 = res; /* Rewrite (a[i..j] = e2) as: * a.opSliceAssign(e2, i, j) */ auto a = new Выражения(); a.сунь(exp.e2); if (ie) { a.сунь(ie.lwr); a.сунь(ie.upr); } res = new DotIdExp(exp.место, ae.e1, Id.sliceass); res = new CallExp(exp.место, res, a); res = res.ВыражениеSemantic(sc); return setрезультат(Выражение.combine(e0, res)); } // No operator overloading member function found yet, but // there might be an alias this to try. if (ad.aliasthis && t1b != ae.att1) { if (!ae.att1 && t1b.checkAliasThisRec()) ae.att1 = t1b; /* Rewrite (a[arguments] op e2) as: * a.aliasthis[arguments] op e2 */ ae.e1 = resolveAliasThis(sc, ae1save, да); if (ae.e1) continue; } break; } ae.e1 = ae1old; // recovery ae.lengthVar = null; } /* Run this.e1 semantic. */ { Выражение e1x = exp.e1; /* With UFCS, e.f = значение * Could mean: * .f(e, значение) * or: * .f(e) = значение */ if (auto dti = e1x.isDotTemplateInstanceExp()) { Выражение e = dti.semanticY(sc, 1); if (!e) { return setрезультат(resolveUFCSProperties(sc, e1x, exp.e2)); } e1x = e; } else if (auto die = e1x.isDotIdExp()) { Выражение e = die.semanticY(sc, 1); if (e && isDotOpDispatch(e)) { /* https://issues.dlang.org/show_bug.cgi?ид=19687 * * On this branch, e2 is semantically analyzed in resolvePropertiesX, * but that call is done with gagged errors. That is the only time when * semantic gets ran on e2, that is why the error never gets to be printed. * In order to make sure that UFCS is tried with correct parameters, e2 * needs to have semantic ran on it. */ exp.e2 = exp.e2.ВыражениеSemantic(sc); бцел errors = глоб2.startGagging(); e = resolvePropertiesX(sc, e, exp.e2); if (глоб2.endGagging(errors)) e = null; /* fall down to UFCS */ else return setрезультат(e); } if (!e) return setрезультат(resolveUFCSProperties(sc, e1x, exp.e2)); e1x = e; } else { if (auto se = e1x.isSliceExp()) se.arrayop = да; e1x = e1x.ВыражениеSemantic(sc); } /* We have f = значение. * Could mean: * f(значение) * or: * f() = значение */ if (Выражение e = resolvePropertiesX(sc, e1x, exp.e2)) return setрезультат(e); if (e1x.checkRightThis(sc)) { return setError(); } exp.e1 = e1x; assert(exp.e1.тип); } Тип t1 = exp.e1.тип.toBasetype(); /* Run this.e2 semantic. * Different from other binary Выражения, the analysis of e2 * depends on the результат of e1 in assignments. */ { Выражение e2x = inferType(exp.e2, t1.baseElemOf()); e2x = e2x.ВыражениеSemantic(sc); e2x = resolveProperties(sc, e2x); if (e2x.op == ТОК2.тип) e2x = resolveAliasThis(sc, e2x); //https://issues.dlang.org/show_bug.cgi?ид=17684 if (e2x.op == ТОК2.error) return setрезультат(e2x); if (e2x.checkValue() || e2x.checkSharedAccess(sc)) return setError(); exp.e2 = e2x; } /* Rewrite кортеж assignment as a кортеж of assignments. */ { Выражение e2x = exp.e2; Ltupleassign: if (exp.e1.op == ТОК2.кортеж && e2x.op == ТОК2.кортеж) { TupleExp tup1 = cast(TupleExp)exp.e1; TupleExp tup2 = cast(TupleExp)e2x; т_мера dim = tup1.exps.dim; Выражение e = null; if (dim != tup2.exps.dim) { exp.выведиОшибку("mismatched кортеж lengths, %d and %d", cast(цел)dim, cast(цел)tup2.exps.dim); return setError(); } if (dim == 0) { e = new IntegerExp(exp.место, 0, Тип.tint32); e = new CastExp(exp.место, e, Тип.tvoid); // avoid "has no effect" error e = Выражение.combine(tup1.e0, tup2.e0, e); } else { auto exps = new Выражения(dim); for (т_мера i = 0; i < dim; i++) { Выражение ex1 = (*tup1.exps)[i]; Выражение ex2 = (*tup2.exps)[i]; (*exps)[i] = new AssignExp(exp.место, ex1, ex2); } e = new TupleExp(exp.место, Выражение.combine(tup1.e0, tup2.e0), exps); } return setрезультат(e.ВыражениеSemantic(sc)); } /* Look for form: e1 = e2.aliasthis. */ if (exp.e1.op == ТОК2.кортеж) { TupleDeclaration td = isAliasThisTuple(e2x); if (!td) goto Lnomatch; assert(exp.e1.тип.ty == Ttuple); КортежТипов tt = cast(КортежТипов)exp.e1.тип; Выражение e0; Выражение ev = extractSideEffect(sc, "__tup", e0, e2x); auto iexps = new Выражения(); iexps.сунь(ev); for (т_мера u = 0; u < iexps.dim; u++) { Lexpand: Выражение e = (*iexps)[u]; Параметр2 arg = Параметр2.getNth(tt.arguments, u); //printf("[%d] iexps.dim = %d, ", u, iexps.dim); //printf("e = (%s %s, %s), ", Сема2::tochars[e.op], e.вТкст0(), e.тип.вТкст0()); //printf("arg = (%s, %s)\n", arg.вТкст0(), arg.тип.вТкст0()); if (!arg || !e.тип.implicitConvTo(arg.тип)) { // expand инициализатор to кортеж if (expandAliasThisTuples(iexps, u) != -1) { if (iexps.dim <= u) break; goto Lexpand; } goto Lnomatch; } } e2x = new TupleExp(e2x.место, e0, iexps); e2x = e2x.ВыражениеSemantic(sc); if (e2x.op == ТОК2.error) { результат = e2x; return; } // Do not need to overwrite this.e2 goto Ltupleassign; } } Lnomatch: exp.e1.checkSharedAccess(sc); /* Inside constructor, if this is the first assignment of объект field, * rewrite this to initializing the field. */ if (exp.op == ТОК2.assign && exp.e1.checkModifiable(sc) == Modifiable.initialization) { //printf("[%s] change to init - %s\n", exp.место.вТкст0(), exp.вТкст0()); auto t = exp.тип; exp = new ConstructExp(exp.место, exp.e1, exp.e2); exp.тип = t; // @@@DEPRECATED_2020-06@@@ // When removing, alter `checkModifiable` to return the correct значение. if (sc.func.isStaticCtorDeclaration() && !sc.func.isSharedStaticCtorDeclaration() && exp.e1.тип.isImmutable()) { deprecation(exp.место, "initialization of `const` variable from `static this` is deprecated."); deprecationSupplemental(exp.место, "Use `shared static this` instead."); } // https://issues.dlang.org/show_bug.cgi?ид=13515 // set Index::modifiable флаг for complex AA element initialization if (auto ie1 = exp.e1.isIndexExp()) { Выражение e1x = ie1.markSettingAAElem(); if (e1x.op == ТОК2.error) { результат = e1x; return; } } } else if (exp.op == ТОК2.construct && exp.e1.op == ТОК2.variable && (cast(VarExp)exp.e1).var.класс_хранения & (STC.out_ | STC.ref_)) { exp.memset |= MemorySet.referenceInit; } /* If it is an assignment from a 'foreign' тип, * check for operator overloading. */ if (exp.memset & MemorySet.referenceInit) { // If this is an initialization of a reference, // do nothing } else if (t1.ty == Tstruct) { auto e1x = exp.e1; auto e2x = exp.e2; auto sd = (cast(TypeStruct)t1).sym; if (exp.op == ТОК2.construct) { Тип t2 = e2x.тип.toBasetype(); if (t2.ty == Tstruct && sd == (cast(TypeStruct)t2).sym) { sd.size(exp.место); if (sd.sizeok != Sizeok.done) return setError(); if (!sd.ctor) sd.ctor = sd.searchCtor(); // https://issues.dlang.org/show_bug.cgi?ид=15661 // Look for the form from last of comma chain. auto e2y = lastComma(e2x); CallExp ce = (e2y.op == ТОК2.call) ? cast(CallExp)e2y : null; DotVarExp dve = (ce && ce.e1.op == ТОК2.dotVariable) ? cast(DotVarExp)ce.e1 : null; if (sd.ctor && ce && dve && dve.var.isCtorDeclaration() && // https://issues.dlang.org/show_bug.cgi?ид=19389 dve.e1.op != ТОК2.dotVariable && e2y.тип.implicitConvTo(t1)) { /* Look for form of constructor call which is: * __ctmp.ctor(arguments...) */ /* Before calling the constructor, initialize * variable with a bit копируй of the default * инициализатор */ Выражение einit = getInitExp(sd, exp.место, sc, t1); if (einit.op == ТОК2.error) { результат = einit; return; } auto ae = new BlitExp(exp.место, exp.e1, einit); ae.тип = e1x.тип; /* Replace __ctmp being constructed with e1. * We need to копируй constructor call Выражение, * because it may be используется in other place. */ auto dvx = cast(DotVarExp)dve.копируй(); dvx.e1 = e1x; auto cx = cast(CallExp)ce.копируй(); cx.e1 = dvx; if (глоб2.парамы.vsafe && checkConstructorEscape(sc, cx, нет)) return setError(); Выражение e0; Выражение.extractLast(e2x, e0); auto e = Выражение.combine(e0, ae, cx); e = e.ВыражениеSemantic(sc); результат = e; return; } if (sd.postblit || sd.hasCopyCtor) { /* We have a копируй constructor for this */ if (e2x.op == ТОК2.question) { /* Rewrite as: * a ? e1 = b : e1 = c; */ CondExp econd = cast(CondExp)e2x; Выражение ea1 = new ConstructExp(econd.e1.место, e1x, econd.e1); Выражение ea2 = new ConstructExp(econd.e1.место, e1x, econd.e2); Выражение e = new CondExp(exp.место, econd.econd, ea1, ea2); результат = e.ВыражениеSemantic(sc); return; } if (e2x.isLvalue()) { if (sd.hasCopyCtor) { /* Rewrite as: * e1 = init, e1.copyCtor(e2); */ Выражение einit = new BlitExp(exp.место, exp.e1, getInitExp(sd, exp.место, sc, t1)); einit.тип = e1x.тип; Выражение e; e = new DotIdExp(exp.место, e1x, Id.ctor); e = new CallExp(exp.место, e, e2x); e = new CommaExp(exp.место, einit, e); //printf("e: %s\n", e.вТкст0()); результат = e.ВыражениеSemantic(sc); return; } else { if (!e2x.тип.implicitConvTo(e1x.тип)) { exp.выведиОшибку("conversion error from `%s` to `%s`", e2x.тип.вТкст0(), e1x.тип.вТкст0()); return setError(); } /* Rewrite as: * (e1 = e2).postblit(); * * Blit assignment e1 = e2 returns a reference to the original e1, * then call the postblit on it. */ Выражение e = e1x.копируй(); e.тип = e.тип.mutableOf(); if (e.тип.isShared && !sd.тип.isShared) e.тип = e.тип.unSharedOf(); e = new BlitExp(exp.место, e, e2x); e = new DotVarExp(exp.место, e, sd.postblit, нет); e = new CallExp(exp.место, e); результат = e.ВыражениеSemantic(sc); return; } } else { /* The struct значение returned from the function is transferred * so should not call the destructor on it. */ e2x = valueNoDtor(e2x); } } // https://issues.dlang.org/show_bug.cgi?ид=19251 // if e2 cannot be converted to e1.тип, maybe there is an alias this if (!e2x.implicitConvTo(t1)) { AggregateDeclaration ad2 = isAggregate(e2x.тип); if (ad2 && ad2.aliasthis && !(exp.att2 && e2x.тип == exp.att2)) { if (!exp.att2 && exp.e2.тип.checkAliasThisRec()) exp.att2 = exp.e2.тип; /* Rewrite (e1 op e2) as: * (e1 op e2.aliasthis) */ exp.e2 = new DotIdExp(exp.e2.место, exp.e2, ad2.aliasthis.идент); результат = exp.ВыражениеSemantic(sc); return; } } } else if (!e2x.implicitConvTo(t1)) { sd.size(exp.место); if (sd.sizeok != Sizeok.done) return setError(); if (!sd.ctor) sd.ctor = sd.searchCtor(); if (sd.ctor) { /* Look for implicit constructor call * Rewrite as: * e1 = init, e1.ctor(e2) */ /* Fix Issue 5153 : https://issues.dlang.org/show_bug.cgi?ид=5153 * Using `new` to initialize a struct объект is a common mistake, but * the error message from the compiler is not very helpful in that * case. If exp.e2 is a NewExp and the тип of new is the same as * the тип as exp.e1 (struct in this case), then we know for sure * that the user wants to instantiate a struct. This is done to avoid * issuing an error when the user actually wants to call a constructor * which receives a class объект. * * Foo f = new Foo2(0); is a valid Выражение if Foo has a constructor * which receives an instance of a Foo2 class */ if (exp.e2.op == ТОК2.new_) { auto newExp = cast(NewExp)(exp.e2); if (newExp.newtype && newExp.newtype == t1) { выведиОшибку(exp.место, "cannot implicitly convert Выражение `%s` of тип `%s` to `%s`", newExp.вТкст0(), newExp.тип.вТкст0(), t1.вТкст0()); errorSupplemental(exp.место, "Perhaps удали the `new` keyword?"); return setError(); } } Выражение einit = new BlitExp(exp.место, e1x, getInitExp(sd, exp.место, sc, t1)); einit.тип = e1x.тип; Выражение e; e = new DotIdExp(exp.место, e1x, Id.ctor); e = new CallExp(exp.место, e, e2x); e = new CommaExp(exp.место, einit, e); e = e.ВыражениеSemantic(sc); результат = e; return; } if (search_function(sd, Id.call)) { /* Look for static opCall * https://issues.dlang.org/show_bug.cgi?ид=2702 * Rewrite as: * e1 = typeof(e1).opCall(arguments) */ e2x = typeDotIdExp(e2x.место, e1x.тип, Id.call); e2x = new CallExp(exp.место, e2x, exp.e2); e2x = e2x.ВыражениеSemantic(sc); e2x = resolveProperties(sc, e2x); if (e2x.op == ТОК2.error) { результат = e2x; return; } if (e2x.checkValue() || e2x.checkSharedAccess(sc)) return setError(); } } else // https://issues.dlang.org/show_bug.cgi?ид=11355 { AggregateDeclaration ad2 = isAggregate(e2x.тип); if (ad2 && ad2.aliasthis && !(exp.att2 && e2x.тип == exp.att2)) { if (!exp.att2 && exp.e2.тип.checkAliasThisRec()) exp.att2 = exp.e2.тип; /* Rewrite (e1 op e2) as: * (e1 op e2.aliasthis) */ exp.e2 = new DotIdExp(exp.e2.место, exp.e2, ad2.aliasthis.идент); результат = exp.ВыражениеSemantic(sc); return; } } } else if (exp.op == ТОК2.assign) { if (e1x.op == ТОК2.index && (cast(IndexExp)e1x).e1.тип.toBasetype().ty == Taarray) { /* * Rewrite: * aa[ключ] = e2; * as: * ref __aatmp = aa; * ref __aakey = ключ; * ref __aaval = e2; * (__aakey in __aatmp * ? __aatmp[__aakey].opAssign(__aaval) * : ConstructExp(__aatmp[__aakey], __aaval)); */ // ensure we keep the expr modifiable Выражение esetting = (cast(IndexExp)e1x).markSettingAAElem(); if (esetting.op == ТОК2.error) { результат = esetting; return; } assert(esetting.op == ТОК2.index); IndexExp ie = cast(IndexExp) esetting; Тип t2 = e2x.тип.toBasetype(); Выражение e0 = null; Выражение ea = extractSideEffect(sc, "__aatmp", e0, ie.e1); Выражение ek = extractSideEffect(sc, "__aakey", e0, ie.e2); Выражение ev = extractSideEffect(sc, "__aaval", e0, e2x); AssignExp ae = cast(AssignExp)exp.копируй(); ae.e1 = new IndexExp(exp.место, ea, ek); ae.e1 = ae.e1.ВыражениеSemantic(sc); ae.e1 = ae.e1.optimize(WANTvalue); ae.e2 = ev; Выражение e = ae.op_overload(sc); if (e) { Выражение ey = null; if (t2.ty == Tstruct && sd == t2.toDsymbol(sc)) { ey = ev; } else if (!ev.implicitConvTo(ie.тип) && sd.ctor) { // Look for implicit constructor call // Rewrite as S().ctor(e2) ey = new StructLiteralExp(exp.место, sd, null); ey = new DotIdExp(exp.место, ey, Id.ctor); ey = new CallExp(exp.место, ey, ev); ey = ey.trySemantic(sc); } if (ey) { Выражение ex; ex = new IndexExp(exp.место, ea, ek); ex = ex.ВыражениеSemantic(sc); ex = ex.optimize(WANTvalue); ex = ex.modifiableLvalue(sc, ex); // размести new slot ey = new ConstructExp(exp.место, ex, ey); ey = ey.ВыражениеSemantic(sc); if (ey.op == ТОК2.error) { результат = ey; return; } ex = e; // https://issues.dlang.org/show_bug.cgi?ид=14144 // The whole Выражение should have the common тип // of opAssign() return and assigned AA entry. // Even if there's no common тип, Выражение should be typed as проц. Тип t = null; if (!typeMerge(sc, ТОК2.question, &t, &ex, &ey)) { ex = new CastExp(ex.место, ex, Тип.tvoid); ey = new CastExp(ey.место, ey, Тип.tvoid); } e = new CondExp(exp.место, new InExp(exp.место, ek, ea), ex, ey); } e = Выражение.combine(e0, e); e = e.ВыражениеSemantic(sc); результат = e; return; } } else { Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } } } else assert(exp.op == ТОК2.blit); exp.e1 = e1x; exp.e2 = e2x; } else if (t1.ty == Tclass) { // Disallow assignment operator overloads for same тип if (exp.op == ТОК2.assign && !exp.e2.implicitConvTo(exp.e1.тип)) { Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } } } else if (t1.ty == Tsarray) { // SliceExp cannot have static массив тип without context inference. assert(exp.e1.op != ТОК2.slice); Выражение e1x = exp.e1; Выражение e2x = exp.e2; if (e2x.implicitConvTo(e1x.тип)) { if (exp.op != ТОК2.blit && (e2x.op == ТОК2.slice && (cast(UnaExp)e2x).e1.isLvalue() || e2x.op == ТОК2.cast_ && (cast(UnaExp)e2x).e1.isLvalue() || e2x.op != ТОК2.slice && e2x.isLvalue())) { if (e1x.checkPostblit(sc, t1)) return setError(); } // e2 matches to t1 because of the implicit length match, so if (isUnaArrayOp(e2x.op) || isBinArrayOp(e2x.op)) { // convert e1 to e1[] // e.g. e1[] = a[] + b[]; auto sle = new SliceExp(e1x.место, e1x, null, null); sle.arrayop = да; e1x = sle.ВыражениеSemantic(sc); } else { // convert e2 to t1 later // e.g. e1 = [1, 2, 3]; } } else { if (e2x.implicitConvTo(t1.nextOf().arrayOf()) > MATCH.nomatch) { uinteger_t dim1 = (cast(TypeSArray)t1).dim.toInteger(); uinteger_t dim2 = dim1; if (auto ale = e2x.isArrayLiteralExp()) { dim2 = ale.elements ? ale.elements.dim : 0; } else if (auto se = e2x.isSliceExp()) { Тип tx = toStaticArrayType(se); if (tx) dim2 = (cast(TypeSArray)tx).dim.toInteger(); } if (dim1 != dim2) { exp.выведиОшибку("mismatched массив lengths, %d and %d", cast(цел)dim1, cast(цел)dim2); return setError(); } } // May be block or element-wise assignment, so // convert e1 to e1[] if (exp.op != ТОК2.assign) { // If multidimensional static массив, treat as one large массив // // Find the appropriate массив тип depending on the assignment, e.g. // цел[3] = цел => цел[3] // цел[3][2] = цел => цел[6] // цел[3][2] = цел[] => цел[3][2] // цел[3][2][4] + цел => цел[24] // цел[3][2][4] + цел[] => цел[3][8] бдол dim = t1.isTypeSArray().dim.toUInteger(); auto тип = t1.nextOf(); for (TypeSArray tsa; (tsa = тип.isTypeSArray()) !is null; ) { // Accumulate skipped dimensions бул overflow = нет; dim = mulu(dim, tsa.dim.toUInteger(), overflow); if (overflow || dim >= бцел.max) { // dym exceeds maximum массив size exp.выведиОшибку("static массив `%s` size overflowed to %llu", e1x.тип.вТкст0(), cast(бдол) dim); return setError(); } // Move to the element тип тип = tsa.nextOf().toBasetype(); // Rewrite ex1 as a static массив if a matching тип was found if (e2x.implicitConvTo(тип) > MATCH.nomatch) { e1x.тип = тип.sarrayOf(dim); break; } } } auto sle = new SliceExp(e1x.место, e1x, null, null); sle.arrayop = да; e1x = sle.ВыражениеSemantic(sc); } if (e1x.op == ТОК2.error) return setрезультат(e1x); if (e2x.op == ТОК2.error) return setрезультат(e2x); exp.e1 = e1x; exp.e2 = e2x; t1 = e1x.тип.toBasetype(); } /* Check the mutability of e1. */ if (auto ale = exp.e1.isArrayLengthExp()) { // e1 is not an lvalue, but we let code generator handle it auto ale1x = ale.e1.modifiableLvalue(sc, exp.e1); if (ale1x.op == ТОК2.error) return setрезультат(ale1x); ale.e1 = ale1x; Тип tn = ale.e1.тип.toBasetype().nextOf(); checkDefCtor(ale.место, tn); Идентификатор2 hook = глоб2.парамы.tracegc ? Id._d_arraysetlengthTTrace : Id._d_arraysetlengthT; if (!verifyHookExist(exp.место, *sc, Id._d_arraysetlengthTImpl, "resizing arrays")) return setError(); // Lower to объект._d_arraysetlengthTImpl!(typeof(e1))._d_arraysetlengthT{,Trace}(e1, e2) Выражение ид = new IdentifierExp(ale.место, Id.empty); ид = new DotIdExp(ale.место, ид, Id.объект); auto tiargs = new Объекты(); tiargs.сунь(ale.e1.тип); ид = new DotTemplateInstanceExp(ale.место, ид, Id._d_arraysetlengthTImpl, tiargs); ид = new DotIdExp(ale.место, ид, hook); ид = ид.ВыражениеSemantic(sc); auto arguments = new Выражения(); arguments.резервируй(5); if (глоб2.парамы.tracegc) { auto funcname = (sc.callsc && sc.callsc.func) ? sc.callsc.func.toPrettyChars() : sc.func.toPrettyChars(); arguments.сунь(new StringExp(exp.место, exp.место.имяф.вТкстД())); arguments.сунь(new IntegerExp(exp.место, exp.место.номстр, Тип.tint32)); arguments.сунь(new StringExp(exp.место, funcname.вТкстД())); } arguments.сунь(ale.e1); arguments.сунь(exp.e2); Выражение ce = new CallExp(ale.место, ид, arguments); auto res = ce.ВыражениеSemantic(sc); // if (глоб2.парамы.verbose) // message("lowered %s =>\n %s", exp.вТкст0(), res.вТкст0()); return setрезультат(res); } else if (auto se = exp.e1.isSliceExp()) { Тип tn = se.тип.nextOf(); const fun = sc.func; if (exp.op == ТОК2.assign && !tn.isMutable() && // allow modifiation in module ctor, see // https://issues.dlang.org/show_bug.cgi?ид=9884 (!fun || (fun && !fun.isStaticCtorDeclaration()))) { exp.выведиОшибку("slice `%s` is not mutable", se.вТкст0()); return setError(); } if (exp.op == ТОК2.assign && !tn.baseElemOf().isAssignable()) { exp.выведиОшибку("slice `%s` is not mutable, struct `%s` has const члены", exp.e1.вТкст0(), tn.baseElemOf().вТкст0()); результат = new ErrorExp(); return; } // For conditional operator, both branches need conversion. while (se.e1.op == ТОК2.slice) se = cast(SliceExp)se.e1; if (se.e1.op == ТОК2.question && se.e1.тип.toBasetype().ty == Tsarray) { se.e1 = se.e1.modifiableLvalue(sc, exp.e1); if (se.e1.op == ТОК2.error) return setрезультат(se.e1); } } else { if (t1.ty == Tsarray && exp.op == ТОК2.assign) { Тип tn = exp.e1.тип.nextOf(); if (tn && !tn.baseElemOf().isAssignable()) { exp.выведиОшибку("массив `%s` is not mutable, struct `%s` has const члены", exp.e1.вТкст0(), tn.baseElemOf().вТкст0()); результат = new ErrorExp(); return; } } Выражение e1x = exp.e1; // Try to do a decent error message with the Выражение // before it got constant folded if (e1x.op != ТОК2.variable) e1x = e1x.optimize(WANTvalue); if (exp.op == ТОК2.assign) e1x = e1x.modifiableLvalue(sc, e1old); if (checkIfIsStructLiteralDotExpr(e1x)) return setError(); if (e1x.op == ТОК2.error) { результат = e1x; return; } exp.e1 = e1x; } /* Tweak e2 based on the тип of e1. */ Выражение e2x = exp.e2; Тип t2 = e2x.тип.toBasetype(); // If it is a массив, get the element тип. Note that it may be // multi-dimensional. Тип telem = t1; while (telem.ty == Tarray) telem = telem.nextOf(); if (exp.e1.op == ТОК2.slice && t1.nextOf() && (telem.ty != Tvoid || e2x.op == ТОК2.null_) && e2x.implicitConvTo(t1.nextOf())) { // Check for block assignment. If it is of тип проц[], проц[][], etc, // '= null' is the only allowable block assignment (Bug 7493) exp.memset |= MemorySet.blockAssign; // make it easy for back end to tell what this is e2x = e2x.implicitCastTo(sc, t1.nextOf()); if (exp.op != ТОК2.blit && e2x.isLvalue() && exp.e1.checkPostblit(sc, t1.nextOf())) return setError(); } else if (exp.e1.op == ТОК2.slice && (t2.ty == Tarray || t2.ty == Tsarray) && t2.nextOf().implicitConvTo(t1.nextOf())) { // Check element-wise assignment. /* If assigned elements number is known at compile time, * check the mismatch. */ SliceExp se1 = cast(SliceExp)exp.e1; TypeSArray tsa1 = cast(TypeSArray)toStaticArrayType(se1); TypeSArray tsa2 = null; if (auto ale = e2x.isArrayLiteralExp()) tsa2 = cast(TypeSArray)t2.nextOf().sarrayOf(ale.elements.dim); else if (auto se = e2x.isSliceExp()) tsa2 = cast(TypeSArray)toStaticArrayType(se); else tsa2 = t2.isTypeSArray(); if (tsa1 && tsa2) { uinteger_t dim1 = tsa1.dim.toInteger(); uinteger_t dim2 = tsa2.dim.toInteger(); if (dim1 != dim2) { exp.выведиОшибку("mismatched массив lengths, %d and %d", cast(цел)dim1, cast(цел)dim2); return setError(); } } if (exp.op != ТОК2.blit && (e2x.op == ТОК2.slice && (cast(UnaExp)e2x).e1.isLvalue() || e2x.op == ТОК2.cast_ && (cast(UnaExp)e2x).e1.isLvalue() || e2x.op != ТОК2.slice && e2x.isLvalue())) { if (exp.e1.checkPostblit(sc, t1.nextOf())) return setError(); } if (0 && глоб2.парамы.warnings != DiagnosticReporting.off && !глоб2.gag && exp.op == ТОК2.assign && e2x.op != ТОК2.slice && e2x.op != ТОК2.assign && e2x.op != ТОК2.arrayLiteral && e2x.op != ТОК2.string_ && !(e2x.op == ТОК2.add || e2x.op == ТОК2.min || e2x.op == ТОК2.mul || e2x.op == ТОК2.div || e2x.op == ТОК2.mod || e2x.op == ТОК2.xor || e2x.op == ТОК2.and || e2x.op == ТОК2.or || e2x.op == ТОК2.pow || e2x.op == ТОК2.tilde || e2x.op == ТОК2.negate)) { ткст0 e1str = exp.e1.вТкст0(); ткст0 e2str = e2x.вТкст0(); exp.warning("explicit element-wise assignment `%s = (%s)[]` is better than `%s = %s`", e1str, e2str, e1str, e2str); } Тип t2n = t2.nextOf(); Тип t1n = t1.nextOf(); цел смещение; if (t2n.equivalent(t1n) || t1n.isBaseOf(t2n, &смещение) && смещение == 0) { /* Allow копируй of distinct qualifier elements. * eg. * ткст dst; ткст src; * dst[] = src; * * class C {} class D : C {} * C[2] ca; D[] da; * ca[] = da; */ if (isArrayOpValid(e2x)) { // Don't add CastExp to keep AST for массив operations e2x = e2x.копируй(); e2x.тип = exp.e1.тип.constOf(); } else e2x = e2x.castTo(sc, exp.e1.тип.constOf()); } else { /* https://issues.dlang.org/show_bug.cgi?ид=15778 * A ткст literal has an массив тип of const * elements by default, and normally it cannot be convertible to * массив тип of mutable elements. But for element-wise assignment, * elements need to be const at best. So we should give a chance * to change code unit size for polysemous ткст literal. */ if (e2x.op == ТОК2.string_) e2x = e2x.implicitCastTo(sc, exp.e1.тип.constOf()); else e2x = e2x.implicitCastTo(sc, exp.e1.тип); } if (t1n.toBasetype.ty == Tvoid && t2n.toBasetype.ty == Tvoid) { if (!sc.intypeof && sc.func && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("cannot копируй `проц[]` to `проц[]` in `` code"); return setError(); } } } else { if (0 && глоб2.парамы.warnings != DiagnosticReporting.off && !глоб2.gag && exp.op == ТОК2.assign && t1.ty == Tarray && t2.ty == Tsarray && e2x.op != ТОК2.slice && t2.implicitConvTo(t1)) { // Disallow ar[] = sa (Converted to ar[] = sa[]) // Disallow da = sa (Converted to da = sa[]) ткст0 e1str = exp.e1.вТкст0(); ткст0 e2str = e2x.вТкст0(); ткст0 atypestr = exp.e1.op == ТОК2.slice ? "element-wise" : "slice"; exp.warning("explicit %s assignment `%s = (%s)[]` is better than `%s = %s`", atypestr, e1str, e2str, e1str, e2str); } if (exp.op == ТОК2.blit) e2x = e2x.castTo(sc, exp.e1.тип); else { e2x = e2x.implicitCastTo(sc, exp.e1.тип); // Fix Issue 13435: https://issues.dlang.org/show_bug.cgi?ид=13435 // If the implicit cast has failed and the assign Выражение is // the initialization of a struct member field if (e2x.op == ТОК2.error && exp.op == ТОК2.construct && t1.ty == Tstruct) { scope sd = (cast(TypeStruct)t1).sym; ДСимвол opAssign = search_function(sd, Id.assign); // and the struct defines an opAssign if (opAssign) { // offer more information about the cause of the problem errorSupplemental(exp.место, "`%s` is the first assignment of `%s` therefore it represents its initialization", exp.вТкст0(), exp.e1.вТкст0()); errorSupplemental(exp.место, "`opAssign` methods are not используется for initialization, but for subsequent assignments"); } } } } if (e2x.op == ТОК2.error) { результат = e2x; return; } exp.e2 = e2x; t2 = exp.e2.тип.toBasetype(); /* Look for массив operations */ if ((t2.ty == Tarray || t2.ty == Tsarray) && isArrayOpValid(exp.e2)) { // Look for valid массив operations if (!(exp.memset & MemorySet.blockAssign) && exp.e1.op == ТОК2.slice && (isUnaArrayOp(exp.e2.op) || isBinArrayOp(exp.e2.op))) { exp.тип = exp.e1.тип; if (exp.op == ТОК2.construct) // https://issues.dlang.org/show_bug.cgi?ид=10282 // tweak mutability of e1 element exp.e1.тип = exp.e1.тип.nextOf().mutableOf().arrayOf(); результат = arrayOp(exp, sc); return; } // Drop invalid массив operations in e2 // d = a[] + b[], d = (a[] + b[])[0..2], etc if (checkNonAssignmentArrayOp(exp.e2, !(exp.memset & MemorySet.blockAssign) && exp.op == ТОК2.assign)) return setError(); // Remains valid массив assignments // d = d[], d = [1,2,3], etc } /* Don't allow assignment to classes that were allocated on the stack with: * scope Class c = new Class(); */ if (exp.e1.op == ТОК2.variable && exp.op == ТОК2.assign) { VarExp ve = cast(VarExp)exp.e1; VarDeclaration vd = ve.var.isVarDeclaration(); if (vd && (vd.onstack || vd.mynew)) { assert(t1.ty == Tclass); exp.выведиОшибку("cannot rebind scope variables"); } } if (exp.e1.op == ТОК2.variable && (cast(VarExp)exp.e1).var.идент == Id.ctfe) { exp.выведиОшибку("cannot modify compiler-generated variable `__ctfe`"); } exp.тип = exp.e1.тип; assert(exp.тип); auto res = exp.op == ТОК2.assign ? exp.reorderSettingAAElem(sc) : exp; checkAssignEscape(sc, res, нет); return setрезультат(res); } override проц посети(PowAssignExp exp) { if (exp.тип) { результат = exp; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.checkReadModifyWrite(exp.op, exp.e2)) return setError(); assert(exp.e1.тип && exp.e2.тип); if (exp.e1.op == ТОК2.slice || exp.e1.тип.ty == Tarray || exp.e1.тип.ty == Tsarray) { if (checkNonAssignmentArrayOp(exp.e1)) return setError(); // T[] ^^= ... if (exp.e2.implicitConvTo(exp.e1.тип.nextOf())) { // T[] ^^= T exp.e2 = exp.e2.castTo(sc, exp.e1.тип.nextOf()); } else if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } // Check element types are arithmetic Тип tb1 = exp.e1.тип.nextOf().toBasetype(); Тип tb2 = exp.e2.тип.toBasetype(); if (tb2.ty == Tarray || tb2.ty == Tsarray) tb2 = tb2.nextOf().toBasetype(); if ((tb1.isintegral() || tb1.isfloating()) && (tb2.isintegral() || tb2.isfloating())) { exp.тип = exp.e1.тип; результат = arrayOp(exp, sc); return; } } else { exp.e1 = exp.e1.modifiableLvalue(sc, exp.e1); } if ((exp.e1.тип.isintegral() || exp.e1.тип.isfloating()) && (exp.e2.тип.isintegral() || exp.e2.тип.isfloating())) { Выражение e0 = null; e = exp.reorderSettingAAElem(sc); e = Выражение.extractLast(e, e0); assert(e == exp); if (exp.e1.op == ТОК2.variable) { // Rewrite: e1 = e1 ^^ e2 e = new PowExp(exp.место, exp.e1.syntaxCopy(), exp.e2); e = new AssignExp(exp.место, exp.e1, e); } else { // Rewrite: ref tmp = e1; tmp = tmp ^^ e2 auto v = copyToTemp(STC.ref_, "__powtmp", exp.e1); auto de = new DeclarationExp(exp.e1.место, v); auto ve = new VarExp(exp.e1.место, v); e = new PowExp(exp.место, ve, exp.e2); e = new AssignExp(exp.место, new VarExp(exp.e1.место, v), e); e = new CommaExp(exp.место, de, e); } e = Выражение.combine(e0, e); e = e.ВыражениеSemantic(sc); результат = e; return; } результат = exp.incompatibleTypes(); } override проц посети(CatAssignExp exp) { if (exp.тип) { результат = exp; return; } //printf("CatAssignExp::semantic() %s\n", exp.вТкст0()); Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.op == ТОК2.slice) { SliceExp se = cast(SliceExp)exp.e1; if (se.e1.тип.toBasetype().ty == Tsarray) { exp.выведиОшибку("cannot приставь to static массив `%s`", se.e1.тип.вТкст0()); return setError(); } } if (checkIfIsStructLiteralDotExpr(exp.e1)) return setError(); exp.e1 = exp.e1.modifiableLvalue(sc, exp.e1); if (exp.e1.op == ТОК2.error) { результат = exp.e1; return; } if (exp.e2.op == ТОК2.error) { результат = exp.e2; return; } if (checkNonAssignmentArrayOp(exp.e2)) return setError(); Тип tb1 = exp.e1.тип.toBasetype(); Тип tb1next = tb1.nextOf(); Тип tb2 = exp.e2.тип.toBasetype(); /* Possibilities: * ТОК2.concatenateAssign: appending T[] to T[] * ТОК2.concatenateElemAssign: appending T to T[] * ТОК2.concatenateDcharAssign: appending dchar to T[] */ if ((tb1.ty == Tarray) && (tb2.ty == Tarray || tb2.ty == Tsarray) && (exp.e2.implicitConvTo(exp.e1.тип) || (tb2.nextOf().implicitConvTo(tb1next) && (tb2.nextOf().size(Место.initial) == tb1next.size(Место.initial))))) { // ТОК2.concatenateAssign assert(exp.op == ТОК2.concatenateAssign); if (exp.e1.checkPostblit(sc, tb1next)) return setError(); exp.e2 = exp.e2.castTo(sc, exp.e1.тип); } else if ((tb1.ty == Tarray) && exp.e2.implicitConvTo(tb1next)) { /* https://issues.dlang.org/show_bug.cgi?ид=19782 * * If e2 is implicitly convertible to tb1next, the conversion * might be done through alias this, in which case, e2 needs to * be modified accordingly (e2 => e2.aliasthis). */ if (tb2.ty == Tstruct && (cast(TypeStruct)tb2).implicitConvToThroughAliasThis(tb1next)) goto Laliasthis; if (tb2.ty == Tclass && (cast(TypeClass)tb2).implicitConvToThroughAliasThis(tb1next)) goto Laliasthis; // Append element if (exp.e2.checkPostblit(sc, tb2)) return setError(); if (checkNewEscape(sc, exp.e2, нет)) return setError(); exp = new CatElemAssignExp(exp.место, exp.тип, exp.e1, exp.e2.castTo(sc, tb1next)); exp.e2 = doCopyOrMove(sc, exp.e2); } else if (tb1.ty == Tarray && (tb1next.ty == Tchar || tb1next.ty == Twchar) && exp.e2.тип.ty != tb1next.ty && exp.e2.implicitConvTo(Тип.tdchar)) { // Append dchar to ткст or wткст exp = new CatDcharAssignExp(exp.место, exp.тип, exp.e1, exp.e2.castTo(sc, Тип.tdchar)); /* Do not allow appending wchar to ткст because if wchar happens * to be a surrogate pair, nothing good can результат. */ } else { // Try alias this on first operand static Выражение tryAliasThisForLhs(BinAssignExp exp, Scope* sc) { AggregateDeclaration ad1 = isAggregate(exp.e1.тип); if (!ad1 || !ad1.aliasthis) return null; /* Rewrite (e1 op e2) as: * (e1.aliasthis op e2) */ if (exp.att1 && exp.e1.тип == exp.att1) return null; //printf("att %s e1 = %s\n", Сема2::вТкст0(e.op), e.e1.тип.вТкст0()); Выражение e1 = new DotIdExp(exp.место, exp.e1, ad1.aliasthis.идент); BinExp be = cast(BinExp)exp.копируй(); if (!be.att1 && exp.e1.тип.checkAliasThisRec()) be.att1 = exp.e1.тип; be.e1 = e1; return be.trySemantic(sc); } // Try alias this on second operand static Выражение tryAliasThisForRhs(BinAssignExp exp, Scope* sc) { AggregateDeclaration ad2 = isAggregate(exp.e2.тип); if (!ad2 || !ad2.aliasthis) return null; /* Rewrite (e1 op e2) as: * (e1 op e2.aliasthis) */ if (exp.att2 && exp.e2.тип == exp.att2) return null; //printf("att %s e2 = %s\n", Сема2::вТкст0(e.op), e.e2.тип.вТкст0()); Выражение e2 = new DotIdExp(exp.место, exp.e2, ad2.aliasthis.идент); BinExp be = cast(BinExp)exp.копируй(); if (!be.att2 && exp.e2.тип.checkAliasThisRec()) be.att2 = exp.e2.тип; be.e2 = e2; return be.trySemantic(sc); } Laliasthis: результат = tryAliasThisForLhs(exp, sc); if (результат) return; результат = tryAliasThisForRhs(exp, sc); if (результат) return; exp.выведиОшибку("cannot приставь тип `%s` to тип `%s`", tb2.вТкст0(), tb1.вТкст0()); return setError(); } if (exp.e2.checkValue() || exp.e2.checkSharedAccess(sc)) return setError(); exp.тип = exp.e1.тип; auto res = exp.reorderSettingAAElem(sc); if ((exp.op == ТОК2.concatenateElemAssign || exp.op == ТОК2.concatenateDcharAssign) && глоб2.парамы.vsafe) checkAssignEscape(sc, res, нет); результат = res; } override проц посети(AddExp exp) { static if (LOGSEMANTIC) { printf("AddExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } Тип tb1 = exp.e1.тип.toBasetype(); Тип tb2 = exp.e2.тип.toBasetype(); бул err = нет; if (tb1.ty == Tdelegate || tb1.ty == Tpointer && tb1.nextOf().ty == Tfunction) { err |= exp.e1.checkArithmetic() || exp.e1.checkSharedAccess(sc); } if (tb2.ty == Tdelegate || tb2.ty == Tpointer && tb2.nextOf().ty == Tfunction) { err |= exp.e2.checkArithmetic() || exp.e2.checkSharedAccess(sc); } if (err) return setError(); if (tb1.ty == Tpointer && exp.e2.тип.isintegral() || tb2.ty == Tpointer && exp.e1.тип.isintegral()) { результат = scaleFactor(exp, sc); return; } if (tb1.ty == Tpointer && tb2.ty == Tpointer) { результат = exp.incompatibleTypes(); return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } tb1 = exp.e1.тип.toBasetype(); if (!target.isVectorOpSupported(tb1, exp.op, tb2)) { результат = exp.incompatibleTypes(); return; } if ((tb1.isreal() && exp.e2.тип.isimaginary()) || (tb1.isimaginary() && exp.e2.тип.isreal())) { switch (exp.тип.toBasetype().ty) { case Tfloat32: case Timaginary32: exp.тип = Тип.tcomplex32; break; case Tfloat64: case Timaginary64: exp.тип = Тип.tcomplex64; break; case Tfloat80: case Timaginary80: exp.тип = Тип.tcomplex80; break; default: assert(0); } } результат = exp; } override проц посети(MinExp exp) { static if (LOGSEMANTIC) { printf("MinExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } Тип t1 = exp.e1.тип.toBasetype(); Тип t2 = exp.e2.тип.toBasetype(); бул err = нет; if (t1.ty == Tdelegate || t1.ty == Tpointer && t1.nextOf().ty == Tfunction) { err |= exp.e1.checkArithmetic() || exp.e1.checkSharedAccess(sc); } if (t2.ty == Tdelegate || t2.ty == Tpointer && t2.nextOf().ty == Tfunction) { err |= exp.e2.checkArithmetic() || exp.e2.checkSharedAccess(sc); } if (err) return setError(); if (t1.ty == Tpointer) { if (t2.ty == Tpointer) { // https://dlang.org/spec/Выражение.html#add_Выражениеs // "If both operands are pointers, and the operator is -, the pointers are // subtracted and the результат is divided by the size of the тип pointed to // by the operands. It is an error if the pointers point to different types." Тип p1 = t1.nextOf(); Тип p2 = t2.nextOf(); if (!p1.equivalent(p2)) { // Deprecation to remain for at least a year, after which this should be // changed to an error // See https://github.com/dlang/dmd/pull/7332 deprecation(exp.место, "cannot subtract pointers to different types: `%s` and `%s`.", t1.вТкст0(), t2.вТкст0()); } // Need to divide the результат by the stride // Replace (ptr - ptr) with (ptr - ptr) / stride d_int64 stride; // make sure pointer types are compatible if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } exp.тип = Тип.tptrdiff_t; stride = t2.nextOf().size(); if (stride == 0) { e = new IntegerExp(exp.место, 0, Тип.tptrdiff_t); } else { e = new DivExp(exp.место, exp, new IntegerExp(Место.initial, stride, Тип.tptrdiff_t)); e.тип = Тип.tptrdiff_t; } } else if (t2.isintegral()) e = scaleFactor(exp, sc); else { exp.выведиОшибку("can't subtract `%s` from pointer", t2.вТкст0()); e = new ErrorExp(); } результат = e; return; } if (t2.ty == Tpointer) { exp.тип = exp.e2.тип; exp.выведиОшибку("can't subtract pointer from `%s`", exp.e1.тип.вТкст0()); return setError(); } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } t1 = exp.e1.тип.toBasetype(); t2 = exp.e2.тип.toBasetype(); if (!target.isVectorOpSupported(t1, exp.op, t2)) { результат = exp.incompatibleTypes(); return; } if ((t1.isreal() && t2.isimaginary()) || (t1.isimaginary() && t2.isreal())) { switch (exp.тип.ty) { case Tfloat32: case Timaginary32: exp.тип = Тип.tcomplex32; break; case Tfloat64: case Timaginary64: exp.тип = Тип.tcomplex64; break; case Tfloat80: case Timaginary80: exp.тип = Тип.tcomplex80; break; default: assert(0); } } результат = exp; return; } override проц посети(CatExp exp) { // https://dlang.org/spec/Выражение.html#cat_Выражениеs //printf("CatExp.semantic() %s\n", вТкст0()); if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } Тип tb1 = exp.e1.тип.toBasetype(); Тип tb2 = exp.e2.тип.toBasetype(); auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = checkNonAssignmentArrayOp(exp.e2); if (f1 || f2) return setError(); /* BUG: Should handle things like: * сим c; * c ~ ' ' * ' ' ~ c; */ Тип tb1next = tb1.nextOf(); Тип tb2next = tb2.nextOf(); // Check for: массив ~ массив if (tb1next && tb2next && (tb1next.implicitConvTo(tb2next) >= MATCH.constant || tb2next.implicitConvTo(tb1next) >= MATCH.constant || exp.e1.op == ТОК2.arrayLiteral && exp.e1.implicitConvTo(tb2) || exp.e2.op == ТОК2.arrayLiteral && exp.e2.implicitConvTo(tb1))) { /* https://issues.dlang.org/show_bug.cgi?ид=9248 * Here to avoid the case of: * ук[] a = [cast(ук)1]; * ук[] b = [cast(ук)2]; * a ~ b; * becoming: * a ~ [cast(ук)b]; */ /* https://issues.dlang.org/show_bug.cgi?ид=14682 * Also to avoid the case of: * цел[][] a; * a ~ []; * becoming: * a ~ cast(цел[])[]; */ goto Lpeer; } // Check for: массив ~ element if ((tb1.ty == Tsarray || tb1.ty == Tarray) && tb2.ty != Tvoid) { if (exp.e1.op == ТОК2.arrayLiteral) { exp.e2 = doCopyOrMove(sc, exp.e2); // https://issues.dlang.org/show_bug.cgi?ид=14686 // Postblit call appears in AST, and this is // finally translated to an ArrayLiteralExp in below optimize(). } else if (exp.e1.op == ТОК2.string_) { // No postblit call exists on character (integer) значение. } else { if (exp.e2.checkPostblit(sc, tb2)) return setError(); // Postblit call will be done in runtime helper function } if (exp.e1.op == ТОК2.arrayLiteral && exp.e1.implicitConvTo(tb2.arrayOf())) { exp.e1 = exp.e1.implicitCastTo(sc, tb2.arrayOf()); exp.тип = tb2.arrayOf(); goto L2elem; } if (exp.e2.implicitConvTo(tb1next) >= MATCH.convert) { exp.e2 = exp.e2.implicitCastTo(sc, tb1next); exp.тип = tb1next.arrayOf(); L2elem: if (tb2.ty == Tarray || tb2.ty == Tsarray) { // Make e2 into [e2] exp.e2 = new ArrayLiteralExp(exp.e2.место, exp.тип, exp.e2); } else if (checkNewEscape(sc, exp.e2, нет)) return setError(); результат = exp.optimize(WANTvalue); return; } } // Check for: element ~ массив if ((tb2.ty == Tsarray || tb2.ty == Tarray) && tb1.ty != Tvoid) { if (exp.e2.op == ТОК2.arrayLiteral) { exp.e1 = doCopyOrMove(sc, exp.e1); } else if (exp.e2.op == ТОК2.string_) { } else { if (exp.e1.checkPostblit(sc, tb1)) return setError(); } if (exp.e2.op == ТОК2.arrayLiteral && exp.e2.implicitConvTo(tb1.arrayOf())) { exp.e2 = exp.e2.implicitCastTo(sc, tb1.arrayOf()); exp.тип = tb1.arrayOf(); goto L1elem; } if (exp.e1.implicitConvTo(tb2next) >= MATCH.convert) { exp.e1 = exp.e1.implicitCastTo(sc, tb2next); exp.тип = tb2next.arrayOf(); L1elem: if (tb1.ty == Tarray || tb1.ty == Tsarray) { // Make e1 into [e1] exp.e1 = new ArrayLiteralExp(exp.e1.место, exp.тип, exp.e1); } else if (checkNewEscape(sc, exp.e1, нет)) return setError(); результат = exp.optimize(WANTvalue); return; } } Lpeer: if ((tb1.ty == Tsarray || tb1.ty == Tarray) && (tb2.ty == Tsarray || tb2.ty == Tarray) && (tb1next.mod || tb2next.mod) && (tb1next.mod != tb2next.mod)) { Тип t1 = tb1next.mutableOf().constOf().arrayOf(); Тип t2 = tb2next.mutableOf().constOf().arrayOf(); if (exp.e1.op == ТОК2.string_ && !(cast(StringExp)exp.e1).committed) exp.e1.тип = t1; else exp.e1 = exp.e1.castTo(sc, t1); if (exp.e2.op == ТОК2.string_ && !(cast(StringExp)exp.e2).committed) exp.e2.тип = t2; else exp.e2 = exp.e2.castTo(sc, t2); } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } exp.тип = exp.тип.toHeadMutable(); Тип tb = exp.тип.toBasetype(); if (tb.ty == Tsarray) exp.тип = tb.nextOf().arrayOf(); if (exp.тип.ty == Tarray && tb1next && tb2next && tb1next.mod != tb2next.mod) { exp.тип = exp.тип.nextOf().toHeadMutable().arrayOf(); } if (Тип tbn = tb.nextOf()) { if (exp.checkPostblit(sc, tbn)) return setError(); } Тип t1 = exp.e1.тип.toBasetype(); Тип t2 = exp.e2.тип.toBasetype(); if ((t1.ty == Tarray || t1.ty == Tsarray) && (t2.ty == Tarray || t2.ty == Tsarray)) { // Normalize to ArrayLiteralExp or StringExp as far as possible e = exp.optimize(WANTvalue); } else { //printf("(%s) ~ (%s)\n", e1.вТкст0(), e2.вТкст0()); результат = exp.incompatibleTypes(); return; } результат = e; } override проц посети(MulExp exp) { version (none) { printf("MulExp::semantic() %s\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (exp.checkArithmeticBin() || exp.checkSharedAccessBin(sc)) return setError(); if (exp.тип.isfloating()) { Тип t1 = exp.e1.тип; Тип t2 = exp.e2.тип; if (t1.isreal()) { exp.тип = t2; } else if (t2.isreal()) { exp.тип = t1; } else if (t1.isimaginary()) { if (t2.isimaginary()) { switch (t1.toBasetype().ty) { case Timaginary32: exp.тип = Тип.tfloat32; break; case Timaginary64: exp.тип = Тип.tfloat64; break; case Timaginary80: exp.тип = Тип.tfloat80; break; default: assert(0); } // iy * iv = -yv exp.e1.тип = exp.тип; exp.e2.тип = exp.тип; e = new NegExp(exp.место, exp); e = e.ВыражениеSemantic(sc); результат = e; return; } else exp.тип = t2; // t2 is complex } else if (t2.isimaginary()) { exp.тип = t1; // t1 is complex } } else if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } результат = exp; } override проц посети(DivExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (exp.checkArithmeticBin() || exp.checkSharedAccessBin(sc)) return setError(); if (exp.тип.isfloating()) { Тип t1 = exp.e1.тип; Тип t2 = exp.e2.тип; if (t1.isreal()) { exp.тип = t2; if (t2.isimaginary()) { // x/iv = i(-x/v) exp.e2.тип = t1; e = new NegExp(exp.место, exp); e = e.ВыражениеSemantic(sc); результат = e; return; } } else if (t2.isreal()) { exp.тип = t1; } else if (t1.isimaginary()) { if (t2.isimaginary()) { switch (t1.toBasetype().ty) { case Timaginary32: exp.тип = Тип.tfloat32; break; case Timaginary64: exp.тип = Тип.tfloat64; break; case Timaginary80: exp.тип = Тип.tfloat80; break; default: assert(0); } } else exp.тип = t2; // t2 is complex } else if (t2.isimaginary()) { exp.тип = t1; // t1 is complex } } else if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } результат = exp; } override проц посети(ModExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } if (exp.checkArithmeticBin() || exp.checkSharedAccessBin(sc)) return setError(); if (exp.тип.isfloating()) { exp.тип = exp.e1.тип; if (exp.e2.тип.iscomplex()) { exp.выведиОшибку("cannot perform modulo complex arithmetic"); return setError(); } } результат = exp; } override проц посети(PowExp exp) { if (exp.тип) { результат = exp; return; } //printf("PowExp::semantic() %s\n", вТкст0()); if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (exp.checkArithmeticBin() || exp.checkSharedAccessBin(sc)) return setError(); if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } // First, attempt to fold the Выражение. e = exp.optimize(WANTvalue); if (e.op != ТОК2.pow) { e = e.ВыражениеSemantic(sc); результат = e; return; } Module mmath = loadStdMath(); if (!mmath) { e.выведиОшибку("`%s` requires `std.math` for `^^` operators", e.вТкст0()); return setError(); } e = new ScopeExp(exp.место, mmath); if (exp.e2.op == ТОК2.float64 && exp.e2.toReal() == CTFloat.half) { // Replace e1 ^^ 0.5 with .std.math.sqrt(e1) e = new CallExp(exp.место, new DotIdExp(exp.место, e, Id._sqrt), exp.e1); } else { // Replace e1 ^^ e2 with .std.math.pow(e1, e2) e = new CallExp(exp.место, new DotIdExp(exp.место, e, Id._pow), exp.e1, exp.e2); } e = e.ВыражениеSemantic(sc); результат = e; return; } override проц посети(ShlExp exp) { //printf("ShlExp::semantic(), тип = %p\n", тип); if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); if (!target.isVectorOpSupported(exp.e1.тип.toBasetype(), exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } exp.e1 = integralPromotions(exp.e1, sc); if (exp.e2.тип.toBasetype().ty != Tvector) exp.e2 = exp.e2.castTo(sc, Тип.tshiftcnt); exp.тип = exp.e1.тип; результат = exp; } override проц посети(ShrExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); if (!target.isVectorOpSupported(exp.e1.тип.toBasetype(), exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } exp.e1 = integralPromotions(exp.e1, sc); if (exp.e2.тип.toBasetype().ty != Tvector) exp.e2 = exp.e2.castTo(sc, Тип.tshiftcnt); exp.тип = exp.e1.тип; результат = exp; } override проц посети(UshrExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); if (!target.isVectorOpSupported(exp.e1.тип.toBasetype(), exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } exp.e1 = integralPromotions(exp.e1, sc); if (exp.e2.тип.toBasetype().ty != Tvector) exp.e2 = exp.e2.castTo(sc, Тип.tshiftcnt); exp.тип = exp.e1.тип; результат = exp; } override проц посети(AndExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.тип.toBasetype().ty == Tbool && exp.e2.тип.toBasetype().ty == Tbool) { exp.тип = exp.e1.тип; результат = exp; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); результат = exp; } override проц посети(OrExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.тип.toBasetype().ty == Tbool && exp.e2.тип.toBasetype().ty == Tbool) { exp.тип = exp.e1.тип; результат = exp; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); результат = exp; } override проц посети(XorExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } if (exp.e1.тип.toBasetype().ty == Tbool && exp.e2.тип.toBasetype().ty == Tbool) { exp.тип = exp.e1.тип; результат = exp; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } Тип tb = exp.тип.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!isArrayOpValid(exp)) { результат = arrayOpInvalidError(exp); return; } результат = exp; return; } if (!target.isVectorOpSupported(tb, exp.op, exp.e2.тип.toBasetype())) { результат = exp.incompatibleTypes(); return; } if (exp.checkIntegralBin() || exp.checkSharedAccessBin(sc)) return setError(); результат = exp; } override проц посети(LogicalExp exp) { if (exp.тип) { результат = exp; return; } exp.setNoderefOperands(); Выражение e1x = exp.e1.ВыражениеSemantic(sc); // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 if (e1x.op == ТОК2.тип) e1x = resolveAliasThis(sc, e1x); e1x = resolveProperties(sc, e1x); e1x = e1x.toBoolean(sc); if (sc.flags & SCOPE.условие) { /* If in static if, don't evaluate e2 if we don't have to. */ e1x = e1x.optimize(WANTvalue); if (e1x.isBool(exp.op == ТОК2.orOr)) { результат = IntegerExp.createBool(exp.op == ТОК2.orOr); return; } } CtorFlow ctorflow = sc.ctorflow.clone(); Выражение e2x = exp.e2.ВыражениеSemantic(sc); sc.merge(exp.место, ctorflow); ctorflow.freeFieldinit(); // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 if (e2x.op == ТОК2.тип) e2x = resolveAliasThis(sc, e2x); e2x = resolveProperties(sc, e2x); auto f1 = checkNonAssignmentArrayOp(e1x); auto f2 = checkNonAssignmentArrayOp(e2x); if (f1 || f2) return setError(); // Unless the right operand is 'проц', the Выражение is converted to 'бул'. if (e2x.тип.ty != Tvoid) e2x = e2x.toBoolean(sc); if (e2x.op == ТОК2.тип || e2x.op == ТОК2.scope_) { exp.выведиОшибку("`%s` is not an Выражение", exp.e2.вТкст0()); return setError(); } if (e1x.op == ТОК2.error) { результат = e1x; return; } if (e2x.op == ТОК2.error) { результат = e2x; return; } // The результат тип is 'бул', unless the right operand has тип 'проц'. if (e2x.тип.ty == Tvoid) exp.тип = Тип.tvoid; else exp.тип = Тип.tбул; exp.e1 = e1x; exp.e2 = e2x; результат = exp; } override проц посети(CmpExp exp) { static if (LOGSEMANTIC) { printf("CmpExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } exp.setNoderefOperands(); if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Тип t1 = exp.e1.тип.toBasetype(); Тип t2 = exp.e2.тип.toBasetype(); if (t1.ty == Tclass && exp.e2.op == ТОК2.null_ || t2.ty == Tclass && exp.e1.op == ТОК2.null_) { exp.выведиОшибку("do not use `null` when comparing class types"); return setError(); } ТОК2 cmpop; if (auto e = exp.op_overload(sc, &cmpop)) { if (!e.тип.isscalar() && e.тип.равен(exp.e1.тип)) { exp.выведиОшибку("recursive `opCmp` expansion"); return setError(); } if (e.op == ТОК2.call) { e = new CmpExp(cmpop, exp.место, e, new IntegerExp(exp.место, 0, Тип.tint32)); e = e.ВыражениеSemantic(sc); } результат = e; return; } if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = checkNonAssignmentArrayOp(exp.e2); if (f1 || f2) return setError(); exp.тип = Тип.tбул; // Special handling for массив comparisons Выражение arrayLowering = null; t1 = exp.e1.тип.toBasetype(); t2 = exp.e2.тип.toBasetype(); if ((t1.ty == Tarray || t1.ty == Tsarray || t1.ty == Tpointer) && (t2.ty == Tarray || t2.ty == Tsarray || t2.ty == Tpointer)) { Тип t1next = t1.nextOf(); Тип t2next = t2.nextOf(); if (t1next.implicitConvTo(t2next) < MATCH.constant && t2next.implicitConvTo(t1next) < MATCH.constant && (t1next.ty != Tvoid && t2next.ty != Tvoid)) { exp.выведиОшибку("массив comparison тип mismatch, `%s` vs `%s`", t1next.вТкст0(), t2next.вТкст0()); return setError(); } if ((t1.ty == Tarray || t1.ty == Tsarray) && (t2.ty == Tarray || t2.ty == Tsarray)) { if (!verifyHookExist(exp.место, *sc, Id.__cmp, "comparing arrays")) return setError(); // Lower to объект.__cmp(e1, e2) Выражение al = new IdentifierExp(exp.место, Id.empty); al = new DotIdExp(exp.место, al, Id.объект); al = new DotIdExp(exp.место, al, Id.__cmp); al = al.ВыражениеSemantic(sc); auto arguments = new Выражения(2); (*arguments)[0] = exp.e1; (*arguments)[1] = exp.e2; al = new CallExp(exp.место, al, arguments); al = new CmpExp(exp.op, exp.место, al, IntegerExp.literal!(0)); arrayLowering = al; } } else if (t1.ty == Tstruct || t2.ty == Tstruct || (t1.ty == Tclass && t2.ty == Tclass)) { if (t2.ty == Tstruct) exp.выведиОшибку("need member function `opCmp()` for %s `%s` to compare", t2.toDsymbol(sc).вид(), t2.вТкст0()); else exp.выведиОшибку("need member function `opCmp()` for %s `%s` to compare", t1.toDsymbol(sc).вид(), t1.вТкст0()); return setError(); } else if (t1.iscomplex() || t2.iscomplex()) { exp.выведиОшибку("compare not defined for complex operands"); return setError(); } else if (t1.ty == Taarray || t2.ty == Taarray) { exp.выведиОшибку("`%s` is not defined for associative arrays", Сема2.вТкст0(exp.op)); return setError(); } else if (!target.isVectorOpSupported(t1, exp.op, t2)) { результат = exp.incompatibleTypes(); return; } else { бул r1 = exp.e1.checkValue() || exp.e1.checkSharedAccess(sc); бул r2 = exp.e2.checkValue() || exp.e2.checkSharedAccess(sc); if (r1 || r2) return setError(); } //printf("CmpExp: %s, тип = %s\n", e.вТкст0(), e.тип.вТкст0()); if (arrayLowering) { arrayLowering = arrayLowering.ВыражениеSemantic(sc); результат = arrayLowering; return; } результат = exp; return; } override проц посети(InExp exp) { if (exp.тип) { результат = exp; return; } if (Выражение ex = binSemanticProp(exp, sc)) { результат = ex; return; } Выражение e = exp.op_overload(sc); if (e) { результат = e; return; } Тип t2b = exp.e2.тип.toBasetype(); switch (t2b.ty) { case Taarray: { TypeAArray ta = cast(TypeAArray)t2b; // Special handling for массив keys if (!arrayTypeCompatibleWithoutCasting(exp.e1.тип, ta.index)) { // Convert ключ to тип of ключ exp.e1 = exp.e1.implicitCastTo(sc, ta.index); } semanticTypeInfo(sc, ta.index); // Return тип is pointer to значение exp.тип = ta.nextOf().pointerTo(); break; } case Terror: return setError(); default: результат = exp.incompatibleTypes(); return; } результат = exp; } override проц посети(RemoveExp e) { if (Выражение ex = binSemantic(e, sc)) { результат = ex; return; } результат = e; } override проц посети(EqualExp exp) { //printf("EqualExp::semantic('%s')\n", exp.вТкст0()); if (exp.тип) { результат = exp; return; } exp.setNoderefOperands(); if (auto e = binSemanticProp(exp, sc)) { результат = e; return; } if (exp.e1.op == ТОК2.тип || exp.e2.op == ТОК2.тип) { результат = exp.incompatibleTypes(); return; } { auto t1 = exp.e1.тип; auto t2 = exp.e2.тип; if (t1.ty == Tenum && t2.ty == Tenum && !t1.equivalent(t2)) exp.выведиОшибку("Comparison between different enumeration types `%s` and `%s`; If this behavior is intended consider using `std.conv.asOriginalType`", t1.вТкст0(), t2.вТкст0()); } /* Before checking for operator overloading, check to see if we're * comparing the addresses of two statics. If so, we can just see * if they are the same symbol. */ if (exp.e1.op == ТОК2.address && exp.e2.op == ТОК2.address) { AddrExp ae1 = cast(AddrExp)exp.e1; AddrExp ae2 = cast(AddrExp)exp.e2; if (ae1.e1.op == ТОК2.variable && ae2.e1.op == ТОК2.variable) { VarExp ve1 = cast(VarExp)ae1.e1; VarExp ve2 = cast(VarExp)ae2.e1; if (ve1.var == ve2.var) { // They are the same, результат is 'да' for ==, 'нет' for != результат = IntegerExp.createBool(exp.op == ТОК2.equal); return; } } } Тип t1 = exp.e1.тип.toBasetype(); Тип t2 = exp.e2.тип.toBasetype(); бул needsDirectEq(Тип t1, Тип t2) { Тип t1n = t1.nextOf().toBasetype(); Тип t2n = t2.nextOf().toBasetype(); if (((t1n.ty == Tchar || t1n.ty == Twchar || t1n.ty == Tdchar) && (t2n.ty == Tchar || t2n.ty == Twchar || t2n.ty == Tdchar)) || (t1n.ty == Tvoid || t2n.ty == Tvoid)) { return нет; } if (t1n.constOf() != t2n.constOf()) return да; Тип t = t1n; while (t.toBasetype().nextOf()) t = t.nextOf().toBasetype(); if (t.ty != Tstruct) return нет; if (глоб2.парамы.useTypeInfo && Тип.dtypeinfo) semanticTypeInfo(sc, t); return (cast(TypeStruct)t).sym.hasIdentityEquals; } if (auto e = exp.op_overload(sc)) { результат = e; return; } if (!(t1.ty == Tarray && t2.ty == Tarray && needsDirectEq(t1, t2))) { if (auto e = typeCombine(exp, sc)) { результат = e; return; } } auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = checkNonAssignmentArrayOp(exp.e2); if (f1 || f2) return setError(); exp.тип = Тип.tбул; // Special handling for массив comparisons if (!(t1.ty == Tarray && t2.ty == Tarray && needsDirectEq(t1, t2))) { if (!arrayTypeCompatible(exp.место, exp.e1.тип, exp.e2.тип)) { if (exp.e1.тип != exp.e2.тип && exp.e1.тип.isfloating() && exp.e2.тип.isfloating()) { // Cast both to complex exp.e1 = exp.e1.castTo(sc, Тип.tcomplex80); exp.e2 = exp.e2.castTo(sc, Тип.tcomplex80); } } } if (t1.ty == Tarray && t2.ty == Tarray) { //printf("Lowering to __equals %s %s\n", e1.вТкст0(), e2.вТкст0()); // For e1 and e2 of struct тип, lowers e1 == e2 to объект.__equals(e1, e2) // and e1 != e2 to !(объект.__equals(e1, e2)). if (!verifyHookExist(exp.место, *sc, Id.__equals, "equal checks on arrays")) return setError(); Выражение __equals = new IdentifierExp(exp.место, Id.empty); Идентификатор2 ид = Идентификатор2.idPool("__equals"); __equals = new DotIdExp(exp.место, __equals, Id.объект); __equals = new DotIdExp(exp.место, __equals, ид); auto arguments = new Выражения(2); (*arguments)[0] = exp.e1; (*arguments)[1] = exp.e2; __equals = new CallExp(exp.место, __equals, arguments); if (exp.op == ТОК2.notEqual) { __equals = new NotExp(exp.место, __equals); } __equals = __equals.ВыражениеSemantic(sc); результат = __equals; return; } if (exp.e1.тип.toBasetype().ty == Taarray) semanticTypeInfo(sc, exp.e1.тип.toBasetype()); if (!target.isVectorOpSupported(t1, exp.op, t2)) { результат = exp.incompatibleTypes(); return; } результат = exp; } override проц посети(IdentityExp exp) { if (exp.тип) { результат = exp; return; } exp.setNoderefOperands(); if (auto e = binSemanticProp(exp, sc)) { результат = e; return; } if (auto e = typeCombine(exp, sc)) { результат = e; return; } auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = checkNonAssignmentArrayOp(exp.e2); if (f1 || f2) return setError(); if (exp.e1.op == ТОК2.тип || exp.e2.op == ТОК2.тип) { результат = exp.incompatibleTypes(); return; } exp.тип = Тип.tбул; if (exp.e1.тип != exp.e2.тип && exp.e1.тип.isfloating() && exp.e2.тип.isfloating()) { // Cast both to complex exp.e1 = exp.e1.castTo(sc, Тип.tcomplex80); exp.e2 = exp.e2.castTo(sc, Тип.tcomplex80); } auto tb1 = exp.e1.тип.toBasetype(); auto tb2 = exp.e2.тип.toBasetype(); if (!target.isVectorOpSupported(tb1, exp.op, tb2)) { результат = exp.incompatibleTypes(); return; } if (exp.e1.op == ТОК2.call) exp.e1 = (cast(CallExp)exp.e1).addDtorHook(sc); if (exp.e2.op == ТОК2.call) exp.e2 = (cast(CallExp)exp.e2).addDtorHook(sc); if (exp.e1.тип.toBasetype().ty == Tsarray || exp.e2.тип.toBasetype().ty == Tsarray) exp.deprecation("identity comparison of static arrays " ~ "implicitly coerces them to slices, " ~ "which are compared by reference"); результат = exp; } override проц посети(CondExp exp) { static if (LOGSEMANTIC) { printf("CondExp::semantic('%s')\n", exp.вТкст0()); } if (exp.тип) { результат = exp; return; } if (exp.econd.op == ТОК2.dotIdentifier) (cast(DotIdExp)exp.econd).noderef = да; Выражение ec = exp.econd.ВыражениеSemantic(sc); ec = resolveProperties(sc, ec); ec = ec.toBoolean(sc); CtorFlow ctorflow_root = sc.ctorflow.clone(); Выражение e1x = exp.e1.ВыражениеSemantic(sc); e1x = resolveProperties(sc, e1x); CtorFlow ctorflow1 = sc.ctorflow; sc.ctorflow = ctorflow_root; Выражение e2x = exp.e2.ВыражениеSemantic(sc); e2x = resolveProperties(sc, e2x); sc.merge(exp.место, ctorflow1); ctorflow1.freeFieldinit(); if (ec.op == ТОК2.error) { результат = ec; return; } if (ec.тип == Тип.terror) return setError(); exp.econd = ec; if (e1x.op == ТОК2.error) { результат = e1x; return; } if (e1x.тип == Тип.terror) return setError(); exp.e1 = e1x; if (e2x.op == ТОК2.error) { результат = e2x; return; } if (e2x.тип == Тип.terror) return setError(); exp.e2 = e2x; auto f0 = checkNonAssignmentArrayOp(exp.econd); auto f1 = checkNonAssignmentArrayOp(exp.e1); auto f2 = checkNonAssignmentArrayOp(exp.e2); if (f0 || f1 || f2) return setError(); Тип t1 = exp.e1.тип; Тип t2 = exp.e2.тип; // If either operand is проц the результат is проц, we have to cast both // the Выражение to проц so that we explicitly discard the Выражение // значение if any // https://issues.dlang.org/show_bug.cgi?ид=16598 if (t1.ty == Tvoid || t2.ty == Tvoid) { exp.тип = Тип.tvoid; exp.e1 = exp.e1.castTo(sc, exp.тип); exp.e2 = exp.e2.castTo(sc, exp.тип); } else if (t1 == t2) exp.тип = t1; else { if (Выражение ex = typeCombine(exp, sc)) { результат = ex; return; } switch (exp.e1.тип.toBasetype().ty) { case Tcomplex32: case Tcomplex64: case Tcomplex80: exp.e2 = exp.e2.castTo(sc, exp.e1.тип); break; default: break; } switch (exp.e2.тип.toBasetype().ty) { case Tcomplex32: case Tcomplex64: case Tcomplex80: exp.e1 = exp.e1.castTo(sc, exp.e2.тип); break; default: break; } if (exp.тип.toBasetype().ty == Tarray) { exp.e1 = exp.e1.castTo(sc, exp.тип); exp.e2 = exp.e2.castTo(sc, exp.тип); } } exp.тип = exp.тип.merge2(); version (none) { printf("res: %s\n", exp.тип.вТкст0()); printf("e1 : %s\n", exp.e1.тип.вТкст0()); printf("e2 : %s\n", exp.e2.тип.вТкст0()); } /* https://issues.dlang.org/show_bug.cgi?ид=14696 * If either e1 or e2 contain temporaries which need dtor, * make them conditional. * Rewrite: * cond ? (__tmp1 = ..., __tmp1) : (__tmp2 = ..., __tmp2) * to: * (auto __cond = cond) ? (... __tmp1) : (... __tmp2) * and replace edtors of __tmp1 and __tmp2 with: * __tmp1.edtor --> __cond && __tmp1.dtor() * __tmp2.edtor --> __cond || __tmp2.dtor() */ exp.hookDtors(sc); результат = exp; } override проц посети(FileInitExp e) { //printf("FileInitExp::semantic()\n"); e.тип = Тип.tstring; результат = e; } override проц посети(LineInitExp e) { e.тип = Тип.tint32; результат = e; } override проц посети(ModuleInitExp e) { //printf("ModuleInitExp::semantic()\n"); e.тип = Тип.tstring; результат = e; } override проц посети(FuncInitExp e) { //printf("FuncInitExp::semantic()\n"); e.тип = Тип.tstring; if (sc.func) { результат = e.resolveLoc(Место.initial, sc); return; } результат = e; } override проц посети(PrettyFuncInitExp e) { //printf("PrettyFuncInitExp::semantic()\n"); e.тип = Тип.tstring; if (sc.func) { результат = e.resolveLoc(Место.initial, sc); return; } результат = e; } } /********************************** * Try to run semantic routines. * If they fail, return NULL. */ Выражение trySemantic(Выражение exp, Scope* sc) { //printf("+trySemantic(%s)\n", exp.вТкст0()); бцел errors = глоб2.startGagging(); Выражение e = ВыражениеSemantic(exp, sc); if (глоб2.endGagging(errors)) { e = null; } //printf("-trySemantic(%s)\n", exp.вТкст0()); return e; } /************************** * Helper function for easy error propagation. * If error occurs, returns ErrorExp. Otherwise returns NULL. */ Выражение unaSemantic(UnaExp e, Scope* sc) { static if (LOGSEMANTIC) { printf("UnaExp::semantic('%s')\n", e.вТкст0()); } Выражение e1x = e.e1.ВыражениеSemantic(sc); if (e1x.op == ТОК2.error) return e1x; e.e1 = e1x; return null; } /************************** * Helper function for easy error propagation. * If error occurs, returns ErrorExp. Otherwise returns NULL. */ Выражение binSemantic(BinExp e, Scope* sc) { static if (LOGSEMANTIC) { printf("BinExp::semantic('%s')\n", e.вТкст0()); } Выражение e1x = e.e1.ВыражениеSemantic(sc); Выражение e2x = e.e2.ВыражениеSemantic(sc); // for static alias this: https://issues.dlang.org/show_bug.cgi?ид=17684 if (e1x.op == ТОК2.тип) e1x = resolveAliasThis(sc, e1x); if (e2x.op == ТОК2.тип) e2x = resolveAliasThis(sc, e2x); if (e1x.op == ТОК2.error) return e1x; if (e2x.op == ТОК2.error) return e2x; e.e1 = e1x; e.e2 = e2x; return null; } Выражение binSemanticProp(BinExp e, Scope* sc) { if (Выражение ex = binSemantic(e, sc)) return ex; Выражение e1x = resolveProperties(sc, e.e1); Выражение e2x = resolveProperties(sc, e.e2); if (e1x.op == ТОК2.error) return e1x; if (e2x.op == ТОК2.error) return e2x; e.e1 = e1x; e.e2 = e2x; return null; } // entrypoint for semantic ВыражениеSemanticVisitor Выражение ВыражениеSemantic(Выражение e, Scope* sc) { scope v = new ВыражениеSemanticVisitor(sc); e.прими(v); return v.результат; } Выражение semanticX(DotIdExp exp, Scope* sc) { //printf("DotIdExp::semanticX(this = %p, '%s')\n", this, вТкст0()); if (Выражение ex = unaSemantic(exp, sc)) return ex; if (exp.идент == Id._mangleof) { // symbol.mangleof ДСимвол ds; switch (exp.e1.op) { case ТОК2.scope_: ds = (cast(ScopeExp)exp.e1).sds; goto L1; case ТОК2.variable: ds = (cast(VarExp)exp.e1).var; goto L1; case ТОК2.dotVariable: ds = (cast(DotVarExp)exp.e1).var; goto L1; case ТОК2.overloadSet: ds = (cast(OverExp)exp.e1).vars; goto L1; case ТОК2.template_: { TemplateExp te = cast(TemplateExp)exp.e1; ds = te.fd ? cast(ДСимвол)te.fd : te.td; } L1: { assert(ds); if (auto f = ds.isFuncDeclaration()) { if (f.checkForwardRef(exp.место)) { return new ErrorExp(); } } БуфВыв буф; mangleToBuffer(ds, &буф); Выражение e = new StringExp(exp.место, буф.извлекиСрез()); e = e.ВыражениеSemantic(sc); return e; } default: break; } } if (exp.e1.op == ТОК2.variable && exp.e1.тип.toBasetype().ty == Tsarray && exp.идент == Id.length) { // bypass checkPurity return exp.e1.тип.dotExp(sc, exp.e1, exp.идент, exp.noderef ? DotExpFlag.noDeref : 0); } if (exp.e1.op == ТОК2.dot) { } else { exp.e1 = resolvePropertiesX(sc, exp.e1); } if (exp.e1.op == ТОК2.кортеж && exp.идент == Id.offsetof) { /* 'distribute' the .offsetof to each of the кортеж elements. */ TupleExp te = cast(TupleExp)exp.e1; auto exps = new Выражения(te.exps.dim); for (т_мера i = 0; i < exps.dim; i++) { Выражение e = (*te.exps)[i]; e = e.ВыражениеSemantic(sc); e = new DotIdExp(e.место, e, Id.offsetof); (*exps)[i] = e; } // Don't evaluate te.e0 in runtime Выражение e = new TupleExp(exp.место, null, exps); e = e.ВыражениеSemantic(sc); return e; } if (exp.e1.op == ТОК2.кортеж && exp.идент == Id.length) { TupleExp te = cast(TupleExp)exp.e1; // Don't evaluate te.e0 in runtime Выражение e = new IntegerExp(exp.место, te.exps.dim, Тип.tт_мера); return e; } // https://issues.dlang.org/show_bug.cgi?ид=14416 // Template has no built-in properties except for 'stringof'. if ((exp.e1.op == ТОК2.dotTemplateDeclaration || exp.e1.op == ТОК2.template_) && exp.идент != Id.stringof) { exp.выведиОшибку("template `%s` does not have property `%s`", exp.e1.вТкст0(), exp.идент.вТкст0()); return new ErrorExp(); } if (!exp.e1.тип) { exp.выведиОшибку("Выражение `%s` does not have property `%s`", exp.e1.вТкст0(), exp.идент.вТкст0()); return new ErrorExp(); } return exp; } // Resolve e1.идент without seeing UFCS. // If флаг == 1, stop "not a property" error and return NULL. Выражение semanticY(DotIdExp exp, Scope* sc, цел флаг) { //printf("DotIdExp::semanticY(this = %p, '%s')\n", exp, exp.вТкст0()); //{ static цел z; fflush(stdout); if (++z == 10) *(сим*)0=0; } /* Special case: rewrite this.ид and super.ид * to be classtype.ид and baseclasstype.ид * if we have no this pointer. */ if ((exp.e1.op == ТОК2.this_ || exp.e1.op == ТОК2.super_) && !hasThis(sc)) { if (AggregateDeclaration ad = sc.getStructClassScope()) { if (exp.e1.op == ТОК2.this_) { exp.e1 = new TypeExp(exp.e1.место, ad.тип); } else { ClassDeclaration cd = ad.isClassDeclaration(); if (cd && cd.baseClass) exp.e1 = new TypeExp(exp.e1.место, cd.baseClass.тип); } } } Выражение e = semanticX(exp, sc); if (e != exp) return e; Выражение eleft; Выражение eright; if (exp.e1.op == ТОК2.dot) { DotExp de = cast(DotExp)exp.e1; eleft = de.e1; eright = de.e2; } else { eleft = null; eright = exp.e1; } Тип t1b = exp.e1.тип.toBasetype(); if (eright.op == ТОК2.scope_) // also используется for template alias's { ScopeExp ie = cast(ScopeExp)eright; цел flags = SearchLocalsOnly; /* Disable access to another module's private imports. * The check for 'is sds our current module' is because * the current module should have access to its own imports. */ if (ie.sds.isModule() && ie.sds != sc._module) flags |= IgnorePrivateImports; if (sc.flags & SCOPE.ignoresymbolvisibility) flags |= IgnoreSymbolVisibility; ДСимвол s = ie.sds.search(exp.место, exp.идент, flags); /* Check for visibility before resolving ники because public * ники to private symbols are public. */ if (s && !(sc.flags & SCOPE.ignoresymbolvisibility) && !symbolIsVisible(sc._module, s)) { s = null; } if (s) { auto p = s.isPackage(); if (p && checkAccess(sc, p)) { s = null; } } if (s) { // if 's' is a кортеж variable, the кортеж is returned. s = s.toAlias(); exp.checkDeprecated(sc, s); exp.checkDisabled(sc, s); EnumMember em = s.isEnumMember(); if (em) { return em.getVarExp(exp.место, sc); } VarDeclaration v = s.isVarDeclaration(); if (v) { //printf("DotIdExp:: Идентификатор2 '%s' is a variable, тип '%s'\n", вТкст0(), v.тип.вТкст0()); if (!v.тип || !v.тип.deco && v.inuse) { if (v.inuse) exp.выведиОшибку("circular reference to %s `%s`", v.вид(), v.toPrettyChars()); else exp.выведиОшибку("forward reference to %s `%s`", v.вид(), v.toPrettyChars()); return new ErrorExp(); } if (v.тип.ty == Terror) return new ErrorExp(); if ((v.класс_хранения & STC.manifest) && v._иниц && !exp.wantsym) { /* Normally, the replacement of a symbol with its инициализатор is supposed to be in semantic2(). * Introduced by https://github.com/dlang/dmd/pull/5588 which should probably * be reverted. `wantsym` is the hack to work around the problem. */ if (v.inuse) { выведиОшибку(exp.место, "circular initialization of %s `%s`", v.вид(), v.toPrettyChars()); return new ErrorExp(); } e = v.expandInitializer(exp.место); v.inuse++; e = e.ВыражениеSemantic(sc); v.inuse--; return e; } if (v.needThis()) { if (!eleft) eleft = new ThisExp(exp.место); e = new DotVarExp(exp.место, eleft, v); e = e.ВыражениеSemantic(sc); } else { e = new VarExp(exp.место, v); if (eleft) { e = new CommaExp(exp.место, eleft, e); e.тип = v.тип; } } e = e.deref(); return e.ВыражениеSemantic(sc); } FuncDeclaration f = s.isFuncDeclaration(); if (f) { //printf("it's a function\n"); if (!f.functionSemantic()) return new ErrorExp(); if (f.needThis()) { if (!eleft) eleft = new ThisExp(exp.место); e = new DotVarExp(exp.место, eleft, f, да); e = e.ВыражениеSemantic(sc); } else { e = new VarExp(exp.место, f, да); if (eleft) { e = new CommaExp(exp.место, eleft, e); e.тип = f.тип; } } return e; } if (auto td = s.isTemplateDeclaration()) { if (eleft) e = new DotTemplateExp(exp.место, eleft, td); else e = new TemplateExp(exp.место, td); e = e.ВыражениеSemantic(sc); return e; } if (OverDeclaration od = s.isOverDeclaration()) { e = new VarExp(exp.место, od, да); if (eleft) { e = new CommaExp(exp.место, eleft, e); e.тип = Тип.tvoid; // ambiguous тип? } return e; } OverloadSet o = s.isOverloadSet(); if (o) { //printf("'%s' is an overload set\n", o.вТкст0()); return new OverExp(exp.место, o); } if (auto t = s.getType()) { return (new TypeExp(exp.место, t)).ВыражениеSemantic(sc); } TupleDeclaration tup = s.isTupleDeclaration(); if (tup) { if (eleft) { e = new DotVarExp(exp.место, eleft, tup); e = e.ВыражениеSemantic(sc); return e; } e = new TupleExp(exp.место, tup); e = e.ВыражениеSemantic(sc); return e; } ScopeDsymbol sds = s.isScopeDsymbol(); if (sds) { //printf("it's a ScopeDsymbol %s\n", идент.вТкст0()); e = new ScopeExp(exp.место, sds); e = e.ВыражениеSemantic(sc); if (eleft) e = new DotExp(exp.место, eleft, e); return e; } Импорт imp = s.isImport(); if (imp) { ie = new ScopeExp(exp.место, imp.pkg); return ie.ВыражениеSemantic(sc); } // BUG: handle other cases like in IdentifierExp::semantic() debug { printf("s = '%s', вид = '%s'\n", s.вТкст0(), s.вид()); } assert(0); } else if (exp.идент == Id.stringof) { e = new StringExp(exp.место, ie.вТкст()); e = e.ВыражениеSemantic(sc); return e; } if (ie.sds.isPackage() || ie.sds.isImport() || ie.sds.isModule()) { флаг = 0; } if (флаг) return null; s = ie.sds.search_correct(exp.идент); if (s) { if (s.isPackage()) exp.выведиОшибку("undefined идентификатор `%s` in %s `%s`, perhaps add `static import %s;`", exp.идент.вТкст0(), ie.sds.вид(), ie.sds.toPrettyChars(), s.toPrettyChars()); else exp.выведиОшибку("undefined идентификатор `%s` in %s `%s`, did you mean %s `%s`?", exp.идент.вТкст0(), ie.sds.вид(), ie.sds.toPrettyChars(), s.вид(), s.вТкст0()); } else exp.выведиОшибку("undefined идентификатор `%s` in %s `%s`", exp.идент.вТкст0(), ie.sds.вид(), ie.sds.toPrettyChars()); return new ErrorExp(); } else if (t1b.ty == Tpointer && exp.e1.тип.ty != Tenum && exp.идент != Id._иниц && exp.идент != Id.__sizeof && exp.идент != Id.__xalignof && exp.идент != Id.offsetof && exp.идент != Id._mangleof && exp.идент != Id.stringof) { Тип t1bn = t1b.nextOf(); if (флаг) { AggregateDeclaration ad = isAggregate(t1bn); if (ad && !ad.члены) // https://issues.dlang.org/show_bug.cgi?ид=11312 return null; } /* Rewrite: * p.идент * as: * (*p).идент */ if (флаг && t1bn.ty == Tvoid) return null; e = new PtrExp(exp.место, exp.e1); e = e.ВыражениеSemantic(sc); return e.тип.dotExp(sc, e, exp.идент, флаг | (exp.noderef ? DotExpFlag.noDeref : 0)); } else { if (exp.e1.op == ТОК2.тип || exp.e1.op == ТОК2.template_) флаг = 0; e = exp.e1.тип.dotExp(sc, exp.e1, exp.идент, флаг | (exp.noderef ? DotExpFlag.noDeref : 0)); if (e) e = e.ВыражениеSemantic(sc); return e; } } // Resolve e1.идент!tiargs without seeing UFCS. // If флаг == 1, stop "not a property" error and return NULL. Выражение semanticY(DotTemplateInstanceExp exp, Scope* sc, цел флаг) { static if (LOGSEMANTIC) { printf("DotTemplateInstanceExpY::semantic('%s')\n", exp.вТкст0()); } static Выражение errorExp() { return new ErrorExp(); } auto die = new DotIdExp(exp.место, exp.e1, exp.ti.имя); Выражение e = die.semanticX(sc); if (e == die) { exp.e1 = die.e1; // take back Тип t1b = exp.e1.тип.toBasetype(); if (t1b.ty == Tarray || t1b.ty == Tsarray || t1b.ty == Taarray || t1b.ty == Tnull || (t1b.isTypeBasic() && t1b.ty != Tvoid)) { /* No built-in тип has templatized properties, so do shortcut. * It is necessary in: 1024.max!"a < b" */ if (флаг) return null; } e = die.semanticY(sc, флаг); if (флаг) { if (!e || isDotOpDispatch(e)) { /* opDispatch!tiargs would be a function template that needs IFTI, * so it's not a template */ return null; } } } assert(e); if (e.op == ТОК2.error) return e; if (e.op == ТОК2.dotVariable) { DotVarExp dve = cast(DotVarExp)e; if (FuncDeclaration fd = dve.var.isFuncDeclaration()) { if (TemplateDeclaration td = fd.findTemplateDeclRoot()) { e = new DotTemplateExp(dve.место, dve.e1, td); e = e.ВыражениеSemantic(sc); } } else if (OverDeclaration od = dve.var.isOverDeclaration()) { exp.e1 = dve.e1; // pull semantic() результат if (!exp.findTempDecl(sc)) goto Lerr; if (exp.ti.needsTypeInference(sc)) return exp; exp.ti.dsymbolSemantic(sc); if (!exp.ti.inst || exp.ti.errors) // if template failed to expand return errorExp(); if (Declaration v = exp.ti.toAlias().isDeclaration()) { if (v.тип && !v.тип.deco) v.тип = v.тип.typeSemantic(v.место, sc); auto rez = new DotVarExp(exp.место, exp.e1, v); return rez.ВыражениеSemantic(sc); } auto rez = new DotExp(exp.место, exp.e1, new ScopeExp(exp.место, exp.ti)); return rez.ВыражениеSemantic(sc); } } else if (e.op == ТОК2.variable) { VarExp ve = cast(VarExp)e; if (FuncDeclaration fd = ve.var.isFuncDeclaration()) { if (TemplateDeclaration td = fd.findTemplateDeclRoot()) { auto rez = new TemplateExp(ve.место, td); e = rez.ВыражениеSemantic(sc); } } else if (OverDeclaration od = ve.var.isOverDeclaration()) { exp.ti.tempdecl = od; auto rez = new ScopeExp(exp.место, exp.ti); return rez.ВыражениеSemantic(sc); } } if (e.op == ТОК2.dotTemplateDeclaration) { DotTemplateExp dte = cast(DotTemplateExp)e; exp.e1 = dte.e1; // pull semantic() результат exp.ti.tempdecl = dte.td; if (!exp.ti.semanticTiargs(sc)) return errorExp(); if (exp.ti.needsTypeInference(sc)) return exp; exp.ti.dsymbolSemantic(sc); if (!exp.ti.inst || exp.ti.errors) // if template failed to expand return errorExp(); if (Declaration v = exp.ti.toAlias().isDeclaration()) { if (v.isFuncDeclaration() || v.isVarDeclaration()) { auto rez = new DotVarExp(exp.место, exp.e1, v); return rez.ВыражениеSemantic(sc); } } auto rez = new DotExp(exp.место, exp.e1, new ScopeExp(exp.место, exp.ti)); return rez.ВыражениеSemantic(sc); } else if (e.op == ТОК2.template_) { exp.ti.tempdecl = (cast(TemplateExp)e).td; auto rez = new ScopeExp(exp.место, exp.ti); return rez.ВыражениеSemantic(sc); } else if (e.op == ТОК2.dot) { DotExp de = cast(DotExp)e; if (de.e2.op == ТОК2.overloadSet) { if (!exp.findTempDecl(sc) || !exp.ti.semanticTiargs(sc)) { return errorExp(); } if (exp.ti.needsTypeInference(sc)) return exp; exp.ti.dsymbolSemantic(sc); if (!exp.ti.inst || exp.ti.errors) // if template failed to expand return errorExp(); if (Declaration v = exp.ti.toAlias().isDeclaration()) { if (v.тип && !v.тип.deco) v.тип = v.тип.typeSemantic(v.место, sc); auto rez = new DotVarExp(exp.место, exp.e1, v); return rez.ВыражениеSemantic(sc); } auto rez = new DotExp(exp.место, exp.e1, new ScopeExp(exp.место, exp.ti)); return rez.ВыражениеSemantic(sc); } } else if (e.op == ТОК2.overloadSet) { OverExp oe = cast(OverExp)e; exp.ti.tempdecl = oe.vars; auto rez = new ScopeExp(exp.место, exp.ti); return rez.ВыражениеSemantic(sc); } Lerr: exp.выведиОшибку("`%s` isn't a template", e.вТкст0()); return errorExp(); } /*************************************** * If Выражение is shared, check that we can access it. * Give error message if not. * Параметры: * e = Выражение to check * sc = context * Возвращает: * да on error */ бул checkSharedAccess(Выражение e, Scope* sc) { if (!глоб2.парамы.noSharedAccess || sc.intypeof || sc.flags & SCOPE.ctfe) { return нет; } //printf("checkSharedAccess() %s\n", e.вТкст0()); static бул check(Выражение e) { static бул sharedError(Выражение e) { // https://dlang.org/phobos/core_atomic.html e.выведиОшибку("direct access to shared `%s` is not allowed, see `core.atomic`", e.вТкст0()); return да; } бул visitVar(VarExp ve) { return ve.var.тип.isShared() ? sharedError(ve) : нет; } бул visitPtr(PtrExp pe) { return pe.e1.тип.nextOf().isShared() ? sharedError(pe) : нет; } бул visitDotVar(DotVarExp dve) { return dve.var.тип.isShared() || check(dve.e1) ? sharedError(dve) : нет; } бул visitIndex(IndexExp ie) { return ie.e1.тип.nextOf().isShared() ? sharedError(ie) : нет; } бул visitComma(CommaExp ce) { return check(ce.e2); } switch (e.op) { case ТОК2.variable: return visitVar(e.isVarExp()); case ТОК2.star: return visitPtr(e.isPtrExp()); case ТОК2.dotVariable: return visitDotVar(e.isDotVarExp()); case ТОК2.index: return visitIndex(e.isIndexExp()); case ТОК2.comma: return visitComma(e.isCommaExp()); default: return нет; } } return check(e); } /**************************************************** * Determine if `exp`, which takes the address of `v`, can do so safely. * Параметры: * sc = context * exp = Выражение that takes the address of `v` * v = the variable getting its address taken * Возвращает: * `да` if ok, `нет` for error */ private бул checkAddressVar(Scope* sc, UnaExp exp, VarDeclaration v) { //printf("checkAddressVar(exp: %s, v: %s)\n", exp.вТкст0(), v.вТкст0()); if (v) { if (!v.canTakeAddressOf()) { exp.выведиОшибку("cannot take address of `%s`", exp.e1.вТкст0()); return нет; } if (sc.func && !sc.intypeof && !v.isDataseg()) { ткст0 p = v.isParameter() ? "параметр" : "local"; if (глоб2.парамы.vsafe) { // Taking the address of v means it cannot be set to 'scope' later v.класс_хранения &= ~STC.maybescope; v.doNotInferScope = да; if (exp.e1.тип.hasPointers() && v.класс_хранения & STC.scope_ && !(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("cannot take address of `scope` %s `%s` in `` function `%s`", p, v.вТкст0(), sc.func.вТкст0()); return нет; } } else if (!(sc.flags & SCOPE.debug_) && sc.func.setUnsafe()) { exp.выведиОшибку("cannot take address of %s `%s` in `` function `%s`", p, v.вТкст0(), sc.func.вТкст0()); return нет; } } } return да; } /******************************* * Checks the attributes of a function. * Purity (``), safety (``), no СМ allocations(``) * and использование of `deprecated` and `@disabled`-ed symbols are checked. * * Параметры: * exp = Выражение to check attributes for * sc = scope of the function * f = function to be checked * Возвращает: `да` if error occur. */ private бул checkFunctionAttributes(Выражение exp, Scope* sc, FuncDeclaration f) { with(exp) { бул error = checkDisabled(sc, f); error |= checkDeprecated(sc, f); error |= checkPurity(sc, f); error |= checkSafety(sc, f); error |= checkNogc(sc, f); return error; } } /******************************* * Helper function for `getRightThis()`. * Gets `this` of the следщ outer aggregate. * Параметры: * место = location to use for error messages * sc = context * s = the родитель symbol of the existing `this` * ad = struct or class we need the correct `this` for * e1 = existing `this` * t = тип of the existing `this` * var = the specific member of ad we're accessing * флаг = if да, return `null` instead of throwing an error * Возвращает: * Выражение representing the `this` for the var */ Выражение getThisSkipNestedFuncs(ref Место место, Scope* sc, ДСимвол s, AggregateDeclaration ad, Выражение e1, Тип t, ДСимвол var, бул флаг = нет) { цел n = 0; while (s && s.isFuncDeclaration()) { FuncDeclaration f = s.isFuncDeclaration(); if (f.vthis) { n++; e1 = new VarExp(место, f.vthis); if (f.isThis2) { // (*__this)[i] if (n > 1) e1 = e1.ВыражениеSemantic(sc); e1 = new PtrExp(место, e1); бцел i = f.followInstantiationContext(ad); e1 = new IndexExp(место, e1, new IntegerExp(i)); s = f.toParentP(ad); continue; } } else { if (флаг) return null; e1.выведиОшибку("need `this` of тип `%s` to access member `%s` from static function `%s`", ad.вТкст0(), var.вТкст0(), f.вТкст0()); e1 = new ErrorExp(); return e1; } s = s.toParent2(); } if (n > 1 || e1.op == ТОК2.index) e1 = e1.ВыражениеSemantic(sc); if (s && e1.тип.equivalent(Тип.tvoidptr)) { if (auto sad = s.isAggregateDeclaration()) { Тип ta = sad.handleType(); if (ta.ty == Tstruct) ta = ta.pointerTo(); e1.тип = ta; } } e1.тип = e1.тип.addMod(t.mod); return e1; } /******************************* * Make a dual-context container for use as a `this` argument. * Параметры: * место = location to use for error messages * sc = current scope * fd = target function that will take the `this` argument * Возвращает: * Temporary closure variable. * Note: * The function `fd` is added to the nested references of the * newly created variable such that a closure is made for the variable when * the address of `fd` is taken. */ VarDeclaration makeThis2Argument(ref Место место, Scope* sc, FuncDeclaration fd) { Тип tthis2 = Тип.tvoidptr.sarrayOf(2); VarDeclaration vthis2 = new VarDeclaration(место, tthis2, Идентификатор2.генерируйИд("__this"), null); vthis2.класс_хранения |= STC.temp; vthis2.dsymbolSemantic(sc); vthis2.родитель = sc.родитель; // make it a closure var assert(sc.func); sc.func.closureVars.сунь(vthis2); // add `fd` to the nested refs vthis2.nestedrefs.сунь(fd); return vthis2; } /******************************* * Make sure that the runtime hook `ид` exists. * Параметры: * место = location to use for error messages * sc = current scope * ид = the hook идентификатор * description = what the hook does * module_ = what module the hook is located in * Возвращает: * a `бул` indicating if the hook is present. */ бул verifyHookExist(ref Место место, ref Scope sc, Идентификатор2 ид, ткст description, Идентификатор2 module_ = Id.объект) { auto rootSymbol = sc.search(место, Id.empty, null); if (auto moduleSymbol = rootSymbol.search(место, module_)) if (moduleSymbol.search(место, ид)) return да; выведиОшибку(место, "`%s.%s` not found. The current runtime does not support %.*s, or the runtime is corrupt.", module_.вТкст0(), ид.вТкст0(), cast(цел)description.length, description.ptr); return нет; } /** * Check if an Выражение is an access to a struct member with the struct * defined from a literal. * * This happens with manifest constants since the инициализатор is reused as is, * each time the declaration is part of an Выражение, which means that the * literal используется as инициализатор can become a Lvalue. This Lvalue must not be modifiable. * * Параметры: * exp = An Выражение that's attempted to be written. * Must be the LHS of an `AssignExp`, `BinAssignExp`, `CatAssignExp`, * or the Выражение passed to a modifiable function параметр. * Возвращает: * `да` if `expr` is a dot var or a dot идентификатор touching to a struct literal, * in which case an error message is issued, and `нет` otherwise. */ private бул checkIfIsStructLiteralDotExpr(Выражение exp) { // e1.var = ... // e1.идент = ... Выражение e1; if (exp.op == ТОК2.dotVariable) e1 = exp.isDotVarExp().e1; else if (exp.op == ТОК2.dotIdentifier) e1 = exp.isDotIdExp().e1; else return нет; // enum SomeStruct ss = { ... } // also да for access from a .init: SomeStruct.init.member = ... if (e1.op != ТОК2.structLiteral) return нет; выведиОшибку(exp.место, "cannot modify constant Выражение `%s`", exp.вТкст0()); return да; }
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE 292.5 65.5 1.60000002 262.700012 34 39 -38.7999992 143.399994 7097 2.5 2.5 1 sediments, red-brown clays 264.399994 75 15.6000004 0 2 65 -8.80000019 126.699997 1206 10.3999996 18 0.238095238 extrusives, intrusives 349.5 78.1999969 4.69999981 999.900024 5 35 -36.0999985 149.100006 1153 6.0999999 7.5999999 0.340833333 sediments, weathered volcanics 320 63 9 15.5 34 65 -38 145.5 1854 16 16 0.483870968 extrusives 317 63 14 16 23 56 -32.5 151 1840 20 20 0.454545455 extrusives, basalts 302.700012 66.8000031 6.80000019 35 34 65 -38 145.5 1819 10.8000002 12.1000004 0.483870968 extrusives 305 73 17 29 23 56 -42 147 1821 25 29 0.454545455 extrusives, basalts 275.5 71.0999985 3.5 45.5 33 36 -31.7000008 150.199997 1891 4.80000019 4.80000019 1 extrusives 236.600006 78.5 0 7.5 0 35 -17.2000008 131.5 1894 0 0 0.292142857 sediments, red mudstones 274 66 27.6000004 8.60000038 25 65 -41.2999992 145.899994 1873 39.7999992 46.9000015 0.375 intrusives, granite 321 64 6 27.5 25 65 -35.5999985 137.5 1874 10 11 0.375 sediments 294 75 11 7 25 65 -41.0999985 146.100006 1871 16.2999992 18.8999996 0.375 sediments, sandstone 315 66 10.5 18 25 65 -41 145.5 1872 18.2000008 19.6000004 0.375 extrusives, sediments 295.100006 74.0999985 5.19999981 0 23 35 -27 143 1971 6.5999999 6.5999999 1 sediments, weathered 272.399994 68.9000015 0 0 25 35 -35 150 1926 4.30000019 4.30000019 1 extrusives, basalts
D
instance DMT_12180_GADER(Npc_Default) { name[0] = "Гадер, Хранитель Воды"; guild = GIL_OUT; level = 500; voice = 18; id = 12180; flags = NPC_FLAG_IMMORTAL; npcType = npctype_main; aivar[94] = NPC_EPIC; aivar[AIV_EnemyOverride] = TRUE; aivar[AIV_ToughGuy] = TRUE; aivar[AIV_ToughGuyNewsOverride] = TRUE; aivar[AIV_IGNORE_Murder] = TRUE; aivar[AIV_IGNORE_Theft] = TRUE; aivar[AIV_IGNORE_Sheepkiller] = TRUE; aivar[AIV_IgnoresArmor] = TRUE; B_SetAttributesToChapter(self,8); fight_tactic = FAI_HUMAN_MASTER; B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_B_Guardian,BodyTex_Guardians,itar_waterguardian); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Mage.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,30); aivar[AIV_MagicUser] = MAGIC_ALWAYS; daily_routine = rtn_start_12180; }; func void rtn_start_12180() { TA_Read_Bookstand(8,0,21,0,"WP_GUARDIANS_GADER"); TA_Read_Bookstand(21,0,8,0,"WP_GUARDIANS_GADER"); }; func void rtn_tot_12180() { TA_Stand_ArmsCrossed(8,0,21,0,"TOT"); TA_Stand_ArmsCrossed(21,0,8,0,"TOT"); };
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_9_BeT-3341111499.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_9_BeT-3341111499.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
module ast.mixins; import ast.base, ast.parse, ast.literal_string, ast.fold, ast.casting; Object gotMixinExpr(ref string text, ParseCb cont, ParseCb rest) { auto t2 = text; Expr ex; if (!rest(t2, "tree.expr", &ex)) t2.failparse("Couldn't match mixin string! "); auto ex2 = ex; if (!gotImplicitCast(ex2, (Expr ex) { return !!fastcast!(StringExpr) (foldex(ex)); })) t2.failparse("Couldn't mixin: Not a string constant: ", ex); auto se = fastcast!(StringExpr) (foldex(ex2)); auto src = se.str; Object res; pushCache(); scope(exit) popCache(); try { if (!rest(src, "tree.expr", &res)) src.failparse("Couldn't parse mixin string for expr"); if (src.mystripl().length) src.failparse("Unknown text found for expr. "); } catch (Exception ex) { t2.failparse("Executing mixin: ", ex); } text = t2; return res; } mixin DefaultParser!(gotMixinExpr, "tree.expr.mixin", "222", "mixin"); Object gotMixinStmt(ref string text, ParseCb cont, ParseCb rest) { auto t2 = text; Expr ex; if (!rest(t2, "tree.expr", &ex)) t2.failparse("Couldn't match mixin string! "); auto ex2 = ex; if (!gotImplicitCast(ex2, (Expr ex) { return !!fastcast!(StringExpr) (foldex(ex)); })) t2.failparse("Couldn't mixin: Not a string constant: ", ex); auto se = fastcast!(StringExpr) (foldex(ex2)); auto src = se.str; Object res; pushCache(); scope(exit) popCache(); try { if (!rest(src, "tree.stmt", &res)) src.failparse("Couldn't parse mixin string for stmt"); if (src.mystripl().length) src.failparse("Unknown text found for stmt. "); } catch (Exception ex) { t2.failparse("Executing mixin '", src.nextText(), "': ", ex); } text = t2; return res; } mixin DefaultParser!(gotMixinStmt, "tree.semicol_stmt.mixin", "100", "mixin");
D
/* -------------------- CZ CHANGELOG -------------------- */ /* v1.00: func void B_ClearRemoveNpc - ITMW_1H_CREST (cyrilice -> latinka) */ func void B_ClearRemoveNpc(var C_Npc Trader) { if(Npc_HasItems(Trader,ItAt_Addon_BCKopf) > 0) { Npc_RemoveInvItems(Trader,ItAt_Addon_BCKopf,Npc_HasItems(Trader,ItAt_Addon_BCKopf)); }; if(Npc_HasItems(Trader,ItAt_Meatbugflesh) > 0) { Npc_RemoveInvItems(Trader,ItAt_Meatbugflesh,Npc_HasItems(Trader,ItAt_Meatbugflesh)); }; if(Npc_HasItems(Trader,ItAt_SheepFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_SheepFur,Npc_HasItems(Trader,ItAt_SheepFur)); }; if(Npc_HasItems(Trader,ItAt_RabbitFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_RabbitFur,Npc_HasItems(Trader,ItAt_RabbitFur)); }; if(Npc_HasItems(Trader,ItAt_WolfFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_WolfFur,Npc_HasItems(Trader,ItAt_WolfFur)); }; if(Npc_HasItems(Trader,ItAt_IceWolfFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_IceWolfFur,Npc_HasItems(Trader,ItAt_IceWolfFur)); }; if(Npc_HasItems(Trader,ItAt_WhitePuma) > 0) { Npc_RemoveInvItems(Trader,ItAt_WhitePuma,Npc_HasItems(Trader,ItAt_WhitePuma)); }; if(Npc_HasItems(Trader,ItAt_WhiteTroll) > 0) { Npc_RemoveInvItems(Trader,ItAt_WhiteTroll,Npc_HasItems(Trader,ItAt_WhiteTroll)); }; if(Npc_HasItems(Trader,ItAt_BugMandibles) > 0) { Npc_RemoveInvItems(Trader,ItAt_BugMandibles,Npc_HasItems(Trader,ItAt_BugMandibles)); }; if(Npc_HasItems(Trader,ItAt_Claw) > 0) { Npc_RemoveInvItems(Trader,ItAt_Claw,Npc_HasItems(Trader,ItAt_Claw)); }; if(Npc_HasItems(Trader,ItAt_OreBugClaw) > 0) { Npc_RemoveInvItems(Trader,ItAt_OreBugClaw,Npc_HasItems(Trader,ItAt_OreBugClaw)); }; if(Npc_HasItems(Trader,ItAt_LurkerClaw) > 0) { Npc_RemoveInvItems(Trader,ItAt_LurkerClaw,Npc_HasItems(Trader,ItAt_LurkerClaw)); }; if(Npc_HasItems(Trader,ItAt_Teeth) > 0) { Npc_RemoveInvItems(Trader,ItAt_Teeth,Npc_HasItems(Trader,ItAt_Teeth)); }; if(Npc_HasItems(Trader,ItAt_CrawlerMandibles) > 0) { Npc_RemoveInvItems(Trader,ItAt_CrawlerMandibles,Npc_HasItems(Trader,ItAt_CrawlerMandibles)); }; if(Npc_HasItems(Trader,ItAt_SpiderMandibles) > 0) { Npc_RemoveInvItems(Trader,ItAt_SpiderMandibles,Npc_HasItems(Trader,ItAt_SpiderMandibles)); }; if(Npc_HasItems(Trader,ItAt_Wing) > 0) { Npc_RemoveInvItems(Trader,ItAt_Wing,Npc_HasItems(Trader,ItAt_Wing)); }; if(Npc_HasItems(Trader,ItAt_Sting) > 0) { Npc_RemoveInvItems(Trader,ItAt_Sting,Npc_HasItems(Trader,ItAt_Sting)); }; if(Npc_HasItems(Trader,itat_LurkerSkin) > 0) { Npc_RemoveInvItems(Trader,itat_LurkerSkin,Npc_HasItems(Trader,itat_LurkerSkin)); }; if(Npc_HasItems(Trader,ItAt_WargFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_WargFur,Npc_HasItems(Trader,ItAt_WargFur)); }; if(Npc_HasItems(Trader,ItAt_OrcDogFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_OrcDogFur,Npc_HasItems(Trader,ItAt_OrcDogFur)); }; if(Npc_HasItems(Trader,ItAt_Addon_KeilerFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_Addon_KeilerFur,Npc_HasItems(Trader,ItAt_Addon_KeilerFur)); }; if(Npc_HasItems(Trader,ItAt_DrgSnapperHorn) > 0) { Npc_RemoveInvItems(Trader,ItAt_DrgSnapperHorn,Npc_HasItems(Trader,ItAt_DrgSnapperHorn)); }; if(Npc_HasItems(Trader,ItAt_CrawlerPlate) > 0) { Npc_RemoveInvItems(Trader,ItAt_CrawlerPlate,Npc_HasItems(Trader,ItAt_CrawlerPlate)); }; if(Npc_HasItems(Trader,ItAt_ShadowFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_ShadowFur,Npc_HasItems(Trader,ItAt_ShadowFur)); }; if(Npc_HasItems(Trader,ItAt_SharkSkin) > 0) { Npc_RemoveInvItems(Trader,ItAt_SharkSkin,Npc_HasItems(Trader,ItAt_SharkSkin)); }; if(Npc_HasItems(Trader,ItAt_TrollFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_TrollFur,Npc_HasItems(Trader,ItAt_TrollFur)); }; if(Npc_HasItems(Trader,ItAt_TrollBlackFur) > 0) { Npc_RemoveInvItems(Trader,ItAt_TrollBlackFur,Npc_HasItems(Trader,ItAt_TrollBlackFur)); }; if(Npc_HasItems(Trader,ItAt_CaveBlackFurTroll) > 0) { Npc_RemoveInvItems(Trader,ItAt_CaveBlackFurTroll,Npc_HasItems(Trader,ItAt_CaveBlackFurTroll)); }; if(Npc_HasItems(Trader,ItAt_WaranFiretongue) > 0) { Npc_RemoveInvItems(Trader,ItAt_WaranFiretongue,Npc_HasItems(Trader,ItAt_WaranFiretongue)); }; if(Npc_HasItems(Trader,ItAt_TrollPoisonTongue) > 0) { Npc_RemoveInvItems(Trader,ItAt_TrollPoisonTongue,Npc_HasItems(Trader,ItAt_TrollPoisonTongue)); }; if(Npc_HasItems(Trader,ItAt_ShadowHorn) > 0) { Npc_RemoveInvItems(Trader,ItAt_ShadowHorn,Npc_HasItems(Trader,ItAt_ShadowHorn)); }; if(Npc_HasItems(Trader,ItAt_SharkTeeth) > 0) { Npc_RemoveInvItems(Trader,ItAt_SharkTeeth,Npc_HasItems(Trader,ItAt_SharkTeeth)); }; if(Npc_HasItems(Trader,ItAt_DesertSharkTeeth) > 0) { Npc_RemoveInvItems(Trader,ItAt_DesertSharkTeeth,Npc_HasItems(Trader,ItAt_DesertSharkTeeth)); }; if(Npc_HasItems(Trader,ItAt_TrollTooth) > 0) { Npc_RemoveInvItems(Trader,ItAt_TrollTooth,Npc_HasItems(Trader,ItAt_TrollTooth)); }; if(Npc_HasItems(Trader,ItAt_StoneGolemHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_StoneGolemHeart,Npc_HasItems(Trader,ItAt_StoneGolemHeart)); }; if(Npc_HasItems(Trader,ItAt_FireGolemHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_FireGolemHeart,Npc_HasItems(Trader,ItAt_FireGolemHeart)); }; if(Npc_HasItems(Trader,ItAt_IceGolemHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_IceGolemHeart,Npc_HasItems(Trader,ItAt_IceGolemHeart)); }; if(Npc_HasItems(Trader,ITAT_SWAMPGOLEMHEART) > 0) { Npc_RemoveInvItems(Trader,ITAT_SWAMPGOLEMHEART,Npc_HasItems(Trader,ITAT_SWAMPGOLEMHEART)); }; if(Npc_HasItems(Trader,ItAt_GoblinBone) > 0) { Npc_RemoveInvItems(Trader,ItAt_GoblinBone,Npc_HasItems(Trader,ItAt_GoblinBone)); }; if(Npc_HasItems(Trader,ItAt_SkeletonBone) > 0) { Npc_RemoveInvItems(Trader,ItAt_SkeletonBone,Npc_HasItems(Trader,ItAt_SkeletonBone)); }; if(Npc_HasItems(Trader,ItAt_DragonBlood) > 0) { Npc_RemoveInvItems(Trader,ItAt_DragonBlood,Npc_HasItems(Trader,ItAt_DragonBlood)); }; if(Npc_HasItems(Trader,ItAt_DragonScale) > 0) { Npc_RemoveInvItems(Trader,ItAt_DragonScale,Npc_HasItems(Trader,ItAt_DragonScale)); }; if(Npc_HasItems(Trader,ITAT_PUMAFUR) > 0) { Npc_RemoveInvItems(Trader,ITAT_PUMAFUR,Npc_HasItems(Trader,ITAT_PUMAFUR)); }; if(Npc_HasItems(Trader,ITAT_SLOKERSFUR) > 0) { Npc_RemoveInvItems(Trader,ITAT_SLOKERSFUR,Npc_HasItems(Trader,ITAT_SLOKERSFUR)); }; if(Npc_HasItems(Trader,ITAT_CRAWLERQUEEN) > 0) { Npc_RemoveInvItems(Trader,ITAT_CRAWLERQUEEN,Npc_HasItems(Trader,ITAT_CRAWLERQUEEN)); }; if(Npc_HasItems(Trader,ItAt_BlackSnapperLiver) > 0) { Npc_RemoveInvItems(Trader,ItAt_BlackSnapperLiver,Npc_HasItems(Trader,ItAt_BlackSnapperLiver)); }; if(Npc_HasItems(Trader,ITAT_MEATBUGFLESH_GEBRATEN) > 0) { Npc_RemoveInvItems(Trader,ITAT_MEATBUGFLESH_GEBRATEN,Npc_HasItems(Trader,ITAT_MEATBUGFLESH_GEBRATEN)); }; if(Npc_HasItems(Trader,ITFO_FISH_GEBRATEN) > 0) { Npc_RemoveInvItems(Trader,ITFO_FISH_GEBRATEN,Npc_HasItems(Trader,ITFO_FISH_GEBRATEN)); }; if(Npc_HasItems(Trader,ITFO_PILZSUPPE) > 0) { Npc_RemoveInvItems(Trader,ITFO_PILZSUPPE,Npc_HasItems(Trader,ITFO_PILZSUPPE)); }; if(Npc_HasItems(Trader,ITFO_FLEISCHWANZENRAGOUT) > 0) { Npc_RemoveInvItems(Trader,ITFO_FLEISCHWANZENRAGOUT,Npc_HasItems(Trader,ITFO_FLEISCHWANZENRAGOUT)); }; if(Npc_HasItems(Trader,ITAT_SHEEPGRIMGASH) > 0) { Npc_RemoveInvItems(Trader,ITAT_SHEEPGRIMGASH,Npc_HasItems(Trader,ITAT_SHEEPGRIMGASH)); }; if(Npc_HasItems(Trader,ItAt_OlderHead) > 0) { Npc_RemoveInvItems(Trader,ItAt_OlderHead,Npc_HasItems(Trader,ItAt_OlderHead)); }; if(Npc_HasItems(Trader,ITAT_SKELETONBONEALEF) > 0) { Npc_RemoveInvItems(Trader,ITAT_SKELETONBONEALEF,Npc_HasItems(Trader,ITAT_SKELETONBONEALEF)); }; if(Npc_HasItems(Trader,ItAt_DemonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_DemonHeart,Npc_HasItems(Trader,ItAt_DemonHeart)); }; if(Npc_HasItems(Trader,ITAT_LUZIANHEART) > 0) { Npc_RemoveInvItems(Trader,ITAT_LUZIANHEART,Npc_HasItems(Trader,ITAT_LUZIANHEART)); }; if(Npc_HasItems(Trader,ItAt_UndeadDragonSoulStone) > 0) { Npc_RemoveInvItems(Trader,ItAt_UndeadDragonSoulStone,Npc_HasItems(Trader,ItAt_UndeadDragonSoulStone)); }; if(Npc_HasItems(Trader,ItAt_IcedragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_IcedragonHeart,Npc_HasItems(Trader,ItAt_IcedragonHeart)); }; if(Npc_HasItems(Trader,ItAt_RockdragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_RockdragonHeart,Npc_HasItems(Trader,ItAt_RockdragonHeart)); }; if(Npc_HasItems(Trader,ItAt_SwampdragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_SwampdragonHeart,Npc_HasItems(Trader,ItAt_SwampdragonHeart)); }; if(Npc_HasItems(Trader,ItAt_FiredragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_FiredragonHeart,Npc_HasItems(Trader,ItAt_FiredragonHeart)); }; if(Npc_HasItems(Trader,ItAt_DragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_DragonHeart,Npc_HasItems(Trader,ItAt_DragonHeart)); }; if(Npc_HasItems(Trader,ITAT_REDDRAGONHEART) > 0) { Npc_RemoveInvItems(Trader,ITAT_REDDRAGONHEART,Npc_HasItems(Trader,ITAT_REDDRAGONHEART)); }; if(Npc_HasItems(Trader,ITAT_BLACKDRAGONHEART) > 0) { Npc_RemoveInvItems(Trader,ITAT_BLACKDRAGONHEART,Npc_HasItems(Trader,ITAT_BLACKDRAGONHEART)); }; if(Npc_HasItems(Trader,ItAt_UzdragonHeart) > 0) { Npc_RemoveInvItems(Trader,ItAt_UzdragonHeart,Npc_HasItems(Trader,ItAt_UzdragonHeart)); }; if(Npc_HasItems(Trader,ITAT_GOLDDRAGONHEART) > 0) { Npc_RemoveInvItems(Trader,ITAT_GOLDDRAGONHEART,Npc_HasItems(Trader,ITAT_GOLDDRAGONHEART)); }; if(Npc_HasItems(Trader,ItAt_SpiderEgg) > 0) { Npc_RemoveInvItems(Trader,ItAt_SpiderEgg,Npc_HasItems(Trader,ItAt_SpiderEgg)); }; if(Npc_HasItems(Trader,ItAt_XtoneClaw) > 0) { Npc_RemoveInvItems(Trader,ItAt_XtoneClaw,Npc_HasItems(Trader,ItAt_XtoneClaw)); }; if(Npc_HasItems(Trader,ItUt_StoneClaw) > 0) { Npc_RemoveInvItems(Trader,ItUt_StoneClaw,Npc_HasItems(Trader,ItUt_StoneClaw)); }; if(Npc_HasItems(Trader,ItAt_DlackTeeth) > 0) { Npc_RemoveInvItems(Trader,ItAt_DlackTeeth,Npc_HasItems(Trader,ItAt_DlackTeeth)); }; if(Npc_HasItems(Trader,ItUt_BlackTeeth) > 0) { Npc_RemoveInvItems(Trader,ItUt_BlackTeeth,Npc_HasItems(Trader,ItUt_BlackTeeth)); }; if(Npc_HasItems(Trader,ItAt_CurratIshi) > 0) { Npc_RemoveInvItems(Trader,ItAt_CurratIshi,Npc_HasItems(Trader,ItAt_CurratIshi)); }; if(Npc_HasItems(Trader,ItUt_IshiCurrat) > 0) { Npc_RemoveInvItems(Trader,ItUt_IshiCurrat,Npc_HasItems(Trader,ItUt_IshiCurrat)); }; if(Npc_HasItems(Trader,ItAt_GturTrollHorn) > 0) { Npc_RemoveInvItems(Trader,ItAt_GturTrollHorn,Npc_HasItems(Trader,ItAt_GturTrollHorn)); }; if(Npc_HasItems(Trader,ItUt_UturTrollHorn) > 0) { Npc_RemoveInvItems(Trader,ItUt_UturTrollHorn,Npc_HasItems(Trader,ItUt_UturTrollHorn)); }; if(Npc_HasItems(Trader,ItAt_ZaracustPlate) > 0) { Npc_RemoveInvItems(Trader,ItAt_ZaracustPlate,Npc_HasItems(Trader,ItAt_ZaracustPlate)); }; if(Npc_HasItems(Trader,ItUt_CaracustPlate) > 0) { Npc_RemoveInvItems(Trader,ItUt_CaracustPlate,Npc_HasItems(Trader,ItUt_CaracustPlate)); }; if(Npc_HasItems(Trader,ItAt_BuritanTooth) > 0) { Npc_RemoveInvItems(Trader,ItAt_BuritanTooth,Npc_HasItems(Trader,ItAt_BuritanTooth)); }; if(Npc_HasItems(Trader,ItAt_PW_MuritanTooth) > 0) { Npc_RemoveInvItems(Trader,ItAt_PW_MuritanTooth,Npc_HasItems(Trader,ItAt_PW_MuritanTooth)); }; if(Npc_HasItems(Trader,ItUt_MuritanTooth) > 0) { Npc_RemoveInvItems(Trader,ItUt_MuritanTooth,Npc_HasItems(Trader,ItUt_MuritanTooth)); }; if(Npc_HasItems(Trader,ITAT_LEADERLURKER) > 0) { Npc_RemoveInvItems(Trader,ITAT_LEADERLURKER,Npc_HasItems(Trader,ITAT_LEADERLURKER)); }; if(Npc_HasItems(Trader,ITUT_LURKERLEADER) > 0) { Npc_RemoveInvItems(Trader,ITUT_LURKERLEADER,Npc_HasItems(Trader,ITUT_LURKERLEADER)); }; if(Npc_HasItems(Trader,ITAT_GARPIISERDCE) > 0) { Npc_RemoveInvItems(Trader,ITAT_GARPIISERDCE,Npc_HasItems(Trader,ITAT_GARPIISERDCE)); }; if(Npc_HasItems(Trader,ITUT_SERDCEGARPII) > 0) { Npc_RemoveInvItems(Trader,ITUT_SERDCEGARPII,Npc_HasItems(Trader,ITUT_SERDCEGARPII)); }; if(Npc_HasItems(Trader,ItAt_ZubSkalo) > 0) { Npc_RemoveInvItems(Trader,ItAt_ZubSkalo,Npc_HasItems(Trader,ItAt_ZubSkalo)); }; if(Npc_HasItems(Trader,ItUt_Skalozub) > 0) { Npc_RemoveInvItems(Trader,ItUt_Skalozub,Npc_HasItems(Trader,ItUt_Skalozub)); }; if(Npc_HasItems(Trader,ITMI_UTONEPUMAPIECE) > 0) { Npc_RemoveInvItems(Trader,ITMI_UTONEPUMAPIECE,Npc_HasItems(Trader,ITMI_UTONEPUMAPIECE)); }; if(Npc_HasItems(Trader,ItUt_STONEPUMAPIECE) > 0) { Npc_RemoveInvItems(Trader,ItUt_STONEPUMAPIECE,Npc_HasItems(Trader,ItUt_STONEPUMAPIECE)); }; if(Npc_HasItems(Trader,ItAt_XragonSkull) > 0) { Npc_RemoveInvItems(Trader,ItAt_XragonSkull,Npc_HasItems(Trader,ItAt_XragonSkull)); }; if(Npc_HasItems(Trader,ItUt_DragonSkull) > 0) { Npc_RemoveInvItems(Trader,ItUt_DragonSkull,Npc_HasItems(Trader,ItUt_DragonSkull)); }; if(Npc_HasItems(Trader,ItAt_HeadUrTrall) > 0) { Npc_RemoveInvItems(Trader,ItAt_HeadUrTrall,Npc_HasItems(Trader,ItAt_HeadUrTrall)); }; if(Npc_HasItems(Trader,ItUt_UrTrallHead) > 0) { Npc_RemoveInvItems(Trader,ItUt_UrTrallHead,Npc_HasItems(Trader,ItUt_UrTrallHead)); }; if(Npc_HasItems(Trader,ItAt_SkullWhiteTroll) > 0) { Npc_RemoveInvItems(Trader,ItAt_SkullWhiteTroll,Npc_HasItems(Trader,ItAt_SkullWhiteTroll)); }; if(Npc_HasItems(Trader,ItUt_WhiteTrollSkull) > 0) { Npc_RemoveInvItems(Trader,ItUt_WhiteTrollSkull,Npc_HasItems(Trader,ItUt_WhiteTrollSkull)); }; if(Npc_HasItems(Trader,ItBE_Addon_Leather_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_Leather_01,Npc_HasItems(Trader,ItBE_Addon_Leather_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_MIL_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_MIL_01,Npc_HasItems(Trader,ItBE_Addon_MIL_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_MIL_02) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_MIL_02,Npc_HasItems(Trader,ItBE_Addon_MIL_02)); }; if(Npc_HasItems(Trader,ItBE_Addon_SLD_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_SLD_01,Npc_HasItems(Trader,ItBE_Addon_SLD_01)); } if(Npc_HasItems(Trader,ItBE_Addon_SLD_02) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_SLD_02,Npc_HasItems(Trader,ItBE_Addon_SLD_02)); }; if(Npc_HasItems(Trader,ItBE_Addon_SLD_03) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_SLD_03,Npc_HasItems(Trader,ItBE_Addon_SLD_03)); }; if(Npc_HasItems(Trader,ItBE_Addon_MC) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_MC,Npc_HasItems(Trader,ItBE_Addon_MC)); }; if(Npc_HasItems(Trader,ItBE_Addon_NOV_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_NOV_01,Npc_HasItems(Trader,ItBE_Addon_NOV_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_KDF_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_KDF_01,Npc_HasItems(Trader,ItBE_Addon_KDF_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_KDF_02) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_KDF_02,Npc_HasItems(Trader,ItBE_Addon_KDF_02)); }; if(Npc_HasItems(Trader,ItBE_Addon_KDF_03) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_KDF_03,Npc_HasItems(Trader,ItBE_Addon_KDF_03)); }; if(Npc_HasItems(Trader,ItBE_Addon_DJG_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_DJG_01,Npc_HasItems(Trader,ItBE_Addon_DJG_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_SEK_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_SEK_01,Npc_HasItems(Trader,ItBE_Addon_SEK_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_TPL_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_TPL_01,Npc_HasItems(Trader,ItBE_Addon_TPL_01)); }; if(Npc_HasItems(Trader,ItBE_Addon_GUR_01) > 0) { Npc_RemoveInvItems(Trader,ItBE_Addon_GUR_01,Npc_HasItems(Trader,ItBE_Addon_GUR_01)); }; if(Npc_HasItems(Trader,ItBe_Addon_Thief_01) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Thief_01,Npc_HasItems(Trader,ItBe_Addon_Thief_01)); }; if(Npc_HasItems(Trader,ItBe_Addon_Thief_02) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Thief_02,Npc_HasItems(Trader,ItBe_Addon_Thief_02)); }; if(Npc_HasItems(Trader,ItBe_Addon_Thief_03) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Thief_03,Npc_HasItems(Trader,ItBe_Addon_Thief_03)); }; if(Npc_HasItems(Trader,ItBe_Addon_STR_5) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_STR_5,Npc_HasItems(Trader,ItBe_Addon_STR_5)); }; if(Npc_HasItems(Trader,ItBe_Addon_STR_10) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_STR_10,Npc_HasItems(Trader,ItBe_Addon_STR_10)); }; if(Npc_HasItems(Trader,ItBe_Addon_DEX_5) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_DEX_5,Npc_HasItems(Trader,ItBe_Addon_DEX_5)); }; if(Npc_HasItems(Trader,ItBe_Addon_DEX_10) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_DEX_10,Npc_HasItems(Trader,ItBe_Addon_DEX_10)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_EDGE) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_EDGE,Npc_HasItems(Trader,ItBe_Addon_Prot_EDGE)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_Point) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_Point,Npc_HasItems(Trader,ItBe_Addon_Prot_Point)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_MAGIC) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_MAGIC,Npc_HasItems(Trader,ItBe_Addon_Prot_MAGIC)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_FIRE) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_FIRE,Npc_HasItems(Trader,ItBe_Addon_Prot_FIRE)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_EdgPoi) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_EdgPoi,Npc_HasItems(Trader,ItBe_Addon_Prot_EdgPoi)); }; if(Npc_HasItems(Trader,ItBe_Addon_Prot_TOTAL) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Prot_TOTAL,Npc_HasItems(Trader,ItBe_Addon_Prot_TOTAL)); }; if(Npc_HasItems(Trader,ItBe_Addon_Custom_01) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Custom_01,Npc_HasItems(Trader,ItBe_Addon_Custom_01)); }; if(Npc_HasItems(Trader,ItBe_Addon_Custom_02) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Custom_02,Npc_HasItems(Trader,ItBe_Addon_Custom_02)); }; if(Npc_HasItems(Trader,ItBe_Addon_Custom_03) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Custom_03,Npc_HasItems(Trader,ItBe_Addon_Custom_03)); }; if(Npc_HasItems(Trader,ItBe_Addon_Custom_04) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_Custom_04,Npc_HasItems(Trader,ItBe_Addon_Custom_04)); }; if(Npc_HasItems(Trader,ItBe_Addon_BT_01) > 0) { Npc_RemoveInvItems(Trader,ItBe_Addon_BT_01,Npc_HasItems(Trader,ItBe_Addon_BT_01)); }; if(Npc_HasItems(Trader,ItBe_NordmarBelt) > 0) { Npc_RemoveInvItems(Trader,ItBe_NordmarBelt,Npc_HasItems(Trader,ItBe_NordmarBelt)); }; if(Npc_HasItems(Trader,ItBe_DragonBelt) > 0) { Npc_RemoveInvItems(Trader,ItBe_DragonBelt,Npc_HasItems(Trader,ItBe_DragonBelt)); }; if(Npc_HasItems(Trader,Fakescroll) > 0) { Npc_RemoveInvItems(Trader,Fakescroll,Npc_HasItems(Trader,Fakescroll)); }; if(Npc_HasItems(Trader,ITWR_MAGICPAPER) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAGICPAPER,Npc_HasItems(Trader,ITWR_MAGICPAPER)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK1) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK1,Npc_HasItems(Trader,ITWR_OLDBOOK1)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK2) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK2,Npc_HasItems(Trader,ITWR_OLDBOOK2)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK3) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK3,Npc_HasItems(Trader,ITWR_OLDBOOK3)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK4) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK4,Npc_HasItems(Trader,ITWR_OLDBOOK4)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK5) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK5,Npc_HasItems(Trader,ITWR_OLDBOOK5)); }; if(Npc_HasItems(Trader,ITWR_OLDBOOK6) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK6,Npc_HasItems(Trader,ITWR_OLDBOOK6)); }; if(Npc_HasItems(Trader,ItFo_Addon_Shellflesh) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Shellflesh,Npc_HasItems(Trader,ItFo_Addon_Shellflesh)); }; if(Npc_HasItems(Trader,ItFo_Addon_Rum) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Rum,Npc_HasItems(Trader,ItFo_Addon_Rum)); }; if(Npc_HasItems(Trader,ItFo_Addon_Rum_Skip) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Rum_Skip,Npc_HasItems(Trader,ItFo_Addon_Rum_Skip)); }; if(Npc_HasItems(Trader,ITFO_ADDON_ORCRUM) > 0) { Npc_RemoveInvItems(Trader,ITFO_ADDON_ORCRUM,Npc_HasItems(Trader,ITFO_ADDON_ORCRUM)); }; if(Npc_HasItems(Trader,ITFO_ADDON_ORCRUMSAL) > 0) { Npc_RemoveInvItems(Trader,ITFO_ADDON_ORCRUMSAL,Npc_HasItems(Trader,ITFO_ADDON_ORCRUMSAL)); }; if(Npc_HasItems(Trader,ITFO_ADDON_ORCRUMSALBETA) > 0) { Npc_RemoveInvItems(Trader,ITFO_ADDON_ORCRUMSALBETA,Npc_HasItems(Trader,ITFO_ADDON_ORCRUMSALBETA)); }; if(Npc_HasItems(Trader,ItFo_Addon_Grog) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Grog,Npc_HasItems(Trader,ItFo_Addon_Grog)); }; if(Npc_HasItems(Trader,ItFo_Addon_LousHammer) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_LousHammer,Npc_HasItems(Trader,ItFo_Addon_LousHammer)); }; if(Npc_HasItems(Trader,ItFo_Addon_SchlafHammer) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_SchlafHammer,Npc_HasItems(Trader,ItFo_Addon_SchlafHammer)); }; if(Npc_HasItems(Trader,ItFo_Addon_SchnellerHering) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_SchnellerHering,Npc_HasItems(Trader,ItFo_Addon_SchnellerHering)); }; if(Npc_HasItems(Trader,ItFo_Addon_SchnellerHering_Ext) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_SchnellerHering_Ext,Npc_HasItems(Trader,ItFo_Addon_SchnellerHering_Ext)); }; if(Npc_HasItems(Trader,ItFo_Addon_Pfeffer_01) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Pfeffer_01,Npc_HasItems(Trader,ItFo_Addon_Pfeffer_01)); }; if(Npc_HasItems(Trader,ItFo_Addon_FireStew) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_FireStew,Npc_HasItems(Trader,ItFo_Addon_FireStew)); }; if(Npc_HasItems(Trader,ItFo_Addon_Meatsoup) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Meatsoup,Npc_HasItems(Trader,ItFo_Addon_Meatsoup)); }; if(Npc_HasItems(Trader,ITFO_ADDON_SHNAPS_ORKS) > 0) { Npc_RemoveInvItems(Trader,ITFO_ADDON_SHNAPS_ORKS,Npc_HasItems(Trader,ITFO_ADDON_SHNAPS_ORKS)); }; if(Npc_HasItems(Trader,ItFo_Apple) > 0) { Npc_RemoveInvItems(Trader,ItFo_Apple,Npc_HasItems(Trader,ItFo_Apple)); }; if(Npc_HasItems(Trader,ItFo_GoatCheese) > 0) { Npc_RemoveInvItems(Trader,ItFo_GoatCheese,Npc_HasItems(Trader,ItFo_GoatCheese)); }; if(Npc_HasItems(Trader,ItFo_Cheese) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cheese,Npc_HasItems(Trader,ItFo_Cheese)); }; if(Npc_HasItems(Trader,ItFo_Bacon) > 0) { Npc_RemoveInvItems(Trader,ItFo_Bacon,Npc_HasItems(Trader,ItFo_Bacon)); }; if(Npc_HasItems(Trader,ItFo_Bread) > 0) { Npc_RemoveInvItems(Trader,ItFo_Bread,Npc_HasItems(Trader,ItFo_Bread)); }; if(Npc_HasItems(Trader,ItFo_Fish) > 0) { Npc_RemoveInvItems(Trader,ItFo_Fish,Npc_HasItems(Trader,ItFo_Fish)); }; if(Npc_HasItems(Trader,ITFOSCHILDKROETERAW) > 0) { Npc_RemoveInvItems(Trader,ITFOSCHILDKROETERAW,Npc_HasItems(Trader,ITFOSCHILDKROETERAW)); }; if(Npc_HasItems(Trader,ITFO_SCHILDKROETESOUP) > 0) { Npc_RemoveInvItems(Trader,ITFO_SCHILDKROETESOUP,Npc_HasItems(Trader,ITFO_SCHILDKROETESOUP)); }; if(Npc_HasItems(Trader,ItFoMuttonRaw) > 0) { Npc_RemoveInvItems(Trader,ItFoMuttonRaw,Npc_HasItems(Trader,ItFoMuttonRaw)); }; if(Npc_HasItems(Trader,ItFoMutton) > 0) { Npc_RemoveInvItems(Trader,ItFoMutton,Npc_HasItems(Trader,ItFoMutton)); }; if(Npc_HasItems(Trader,ItMi_BretMeet) > 0) { Npc_RemoveInvItems(Trader,ItMi_BretMeet,Npc_HasItems(Trader,ItMi_BretMeet)); }; if(Npc_HasItems(Trader,ITFOMUTTON_NICLAS) > 0) { Npc_RemoveInvItems(Trader,ITFOMUTTON_NICLAS,Npc_HasItems(Trader,ITFOMUTTON_NICLAS)); }; if(Npc_HasItems(Trader,ItFo_Stew) > 0) { Npc_RemoveInvItems(Trader,ItFo_Stew,Npc_HasItems(Trader,ItFo_Stew)); }; if(Npc_HasItems(Trader,ItFo_XPStew) > 0) { Npc_RemoveInvItems(Trader,ItFo_XPStew,Npc_HasItems(Trader,ItFo_XPStew)); }; if(Npc_HasItems(Trader,ITFO_NASHSOUP) > 0) { Npc_RemoveInvItems(Trader,ITFO_NASHSOUP,Npc_HasItems(Trader,ITFO_NASHSOUP)); }; if(Npc_HasItems(Trader,ItFo_CoragonsBeer) > 0) { Npc_RemoveInvItems(Trader,ItFo_CoragonsBeer,Npc_HasItems(Trader,ItFo_CoragonsBeer)); }; if(Npc_HasItems(Trader,ItFo_FishSoup) > 0) { Npc_RemoveInvItems(Trader,ItFo_FishSoup,Npc_HasItems(Trader,ItFo_FishSoup)); }; if(Npc_HasItems(Trader,ItFo_Sausage) > 0) { Npc_RemoveInvItems(Trader,ItFo_Sausage,Npc_HasItems(Trader,ItFo_Sausage)); }; if(Npc_HasItems(Trader,ItFo_Honey) > 0) { Npc_RemoveInvItems(Trader,ItFo_Honey,Npc_HasItems(Trader,ItFo_Honey)); }; if(Npc_HasItems(Trader,ItFo_Water) > 0) { Npc_RemoveInvItems(Trader,ItFo_Water,Npc_HasItems(Trader,ItFo_Water)); }; if(Npc_HasItems(Trader,ItFo_AdanosWater) > 0) { Npc_RemoveInvItems(Trader,ItFo_AdanosWater,Npc_HasItems(Trader,ItFo_AdanosWater)); }; if(Npc_HasItems(Trader,ItFo_Beer) > 0) { Npc_RemoveInvItems(Trader,ItFo_Beer,Npc_HasItems(Trader,ItFo_Beer)); }; if(Npc_HasItems(Trader,ItFo_Booze) > 0) { Npc_RemoveInvItems(Trader,ItFo_Booze,Npc_HasItems(Trader,ItFo_Booze)); }; if(Npc_HasItems(Trader,ITFO_BOOZE_EXT) > 0) { Npc_RemoveInvItems(Trader,ITFO_BOOZE_EXT,Npc_HasItems(Trader,ITFO_BOOZE_EXT)); }; if(Npc_HasItems(Trader,ITFO_WINEBERRYS) > 0) { Npc_RemoveInvItems(Trader,ITFO_WINEBERRYS,Npc_HasItems(Trader,ITFO_WINEBERRYS)); }; if(Npc_HasItems(Trader,ItFo_Wine) > 0) { Npc_RemoveInvItems(Trader,ItFo_Wine,Npc_HasItems(Trader,ItFo_Wine)); }; if(Npc_HasItems(Trader,ItFo_Wine_Loa) > 0) { Npc_RemoveInvItems(Trader,ItFo_Wine_Loa,Npc_HasItems(Trader,ItFo_Wine_Loa)); }; if(Npc_HasItems(Trader,ItFo_Milk) > 0) { Npc_RemoveInvItems(Trader,ItFo_Milk,Npc_HasItems(Trader,ItFo_Milk)); }; if(Npc_HasItems(Trader,ItPo_AssasinsRareWine) > 0) { Npc_RemoveInvItems(Trader,ItPo_AssasinsRareWine,Npc_HasItems(Trader,ItPo_AssasinsRareWine)); }; if(Npc_HasItems(Trader,ItPo_AssasinsRareWine_Use) > 0) { Npc_RemoveInvItems(Trader,ItPo_AssasinsRareWine_Use,Npc_HasItems(Trader,ItPo_AssasinsRareWine_Use)); }; if(Npc_HasItems(Trader,ITFO_SPECWINE) > 0) { Npc_RemoveInvItems(Trader,ITFO_SPECWINE,Npc_HasItems(Trader,ITFO_SPECWINE)); }; if(Npc_HasItems(Trader,ITFO_SPECWINE_HP) > 0) { Npc_RemoveInvItems(Trader,ITFO_SPECWINE_HP,Npc_HasItems(Trader,ITFO_SPECWINE_HP)); }; if(Npc_HasItems(Trader,ITFO_EALBALZAM) > 0) { Npc_RemoveInvItems(Trader,ITFO_EALBALZAM,Npc_HasItems(Trader,ITFO_EALBALZAM)); }; if(Npc_HasItems(Trader,ITFO_EALBALZAMTWO) > 0) { Npc_RemoveInvItems(Trader,ITFO_EALBALZAMTWO,Npc_HasItems(Trader,ITFO_EALBALZAMTWO)); }; if(Npc_HasItems(Trader,ITFO_POTTAGE_MUSHROOM) > 0) { Npc_RemoveInvItems(Trader,ITFO_POTTAGE_MUSHROOM,Npc_HasItems(Trader,ITFO_POTTAGE_MUSHROOM)); }; if(Npc_HasItems(Trader,ITFO_POTTAGE_MUSHROOM_BLACK) > 0) { Npc_RemoveInvItems(Trader,ITFO_POTTAGE_MUSHROOM_BLACK,Npc_HasItems(Trader,ITFO_POTTAGE_MUSHROOM_BLACK)); }; if(Npc_HasItems(Trader,ITFO_COMPOTE_00) > 0) { Npc_RemoveInvItems(Trader,ITFO_COMPOTE_00,Npc_HasItems(Trader,ITFO_COMPOTE_00)); }; if(Npc_HasItems(Trader,ITFO_COMPOTE_01) > 0) { Npc_RemoveInvItems(Trader,ITFO_COMPOTE_01,Npc_HasItems(Trader,ITFO_COMPOTE_01)); }; if(Npc_HasItems(Trader,ItFo_RiceStew) > 0) { Npc_RemoveInvItems(Trader,ItFo_RiceStew,Npc_HasItems(Trader,ItFo_RiceStew)); }; if(Npc_HasItems(Trader,ItFo_Meatbugragout) > 0) { Npc_RemoveInvItems(Trader,ItFo_Meatbugragout,Npc_HasItems(Trader,ItFo_Meatbugragout)); }; if(Npc_HasItems(Trader,ITFO_SCHILDKROETESOUP_SBORKA) > 0) { Npc_RemoveInvItems(Trader,ITFO_SCHILDKROETESOUP_SBORKA,Npc_HasItems(Trader,ITFO_SCHILDKROETESOUP_SBORKA)); }; if(Npc_HasItems(Trader,ItFoMuttonRaw_Mount) > 0) { Npc_RemoveInvItems(Trader,ItFoMuttonRaw_Mount,Npc_HasItems(Trader,ItFoMuttonRaw_Mount)); }; if(Npc_HasItems(Trader,ItFo_BeliarTear) > 0) { Npc_RemoveInvItems(Trader,ItFo_BeliarTear,Npc_HasItems(Trader,ItFo_BeliarTear)); }; if(Npc_HasItems(Trader,ItFo_BeliarTear_Haniar) > 0) { Npc_RemoveInvItems(Trader,ItFo_BeliarTear_Haniar,Npc_HasItems(Trader,ItFo_BeliarTear_Haniar)); }; if(Npc_HasItems(Trader,ItFo_Cake_Apple) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cake_Apple,Npc_HasItems(Trader,ItFo_Cake_Apple)); }; if(Npc_HasItems(Trader,ItFo_Cake_Meat) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cake_Meat,Npc_HasItems(Trader,ItFo_Cake_Meat)); }; if(Npc_HasItems(Trader,ItFo_Cake_Mushroom) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cake_Mushroom,Npc_HasItems(Trader,ItFo_Cake_Mushroom)); }; if(Npc_HasItems(Trader,ItFo_Cake_Fish) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cake_Fish,Npc_HasItems(Trader,ItFo_Cake_Fish)); }; if(Npc_HasItems(Trader,ItFo_Cake_Honey) > 0) { Npc_RemoveInvItems(Trader,ItFo_Cake_Honey,Npc_HasItems(Trader,ItFo_Cake_Honey)); }; if(Npc_HasItems(Trader,ItFo_Alcohol) > 0) { Npc_RemoveInvItems(Trader,ItFo_Alcohol,Npc_HasItems(Trader,ItFo_Alcohol)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCPRESTIGE) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCPRESTIGE,Npc_HasItems(Trader,ITMW_2H_ORCPRESTIGE)); }; if(Npc_HasItems(Trader,ITMW_ADANOSMOLOT) > 0) { Npc_RemoveInvItems(Trader,ITMW_ADANOSMOLOT,Npc_HasItems(Trader,ITMW_ADANOSMOLOT)); }; if(Npc_HasItems(Trader,ITMI_TARACOTHAMMER) > 0) { Npc_RemoveInvItems(Trader,ITMI_TARACOTHAMMER,Npc_HasItems(Trader,ITMI_TARACOTHAMMER)); }; if(Npc_HasItems(Trader,ItMw_1h_TributeDagger) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_TributeDagger,Npc_HasItems(Trader,ItMw_1h_TributeDagger)); }; if(Npc_HasItems(Trader,ITMW_1H_MOONBLADE_LEFT) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_MOONBLADE_LEFT,Npc_HasItems(Trader,ITMW_1H_MOONBLADE_LEFT)); }; if(Npc_HasItems(Trader,ITMW_1H_MOONBLADE_RIGHT) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_MOONBLADE_RIGHT,Npc_HasItems(Trader,ITMW_1H_MOONBLADE_RIGHT)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Npc_Left) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Npc_Left,Npc_HasItems(Trader,ItMw_1H_AssBlade_Npc_Left)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Left) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Left,Npc_HasItems(Trader,ItMw_1H_AssBlade_Left)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Npc_Right) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Npc_Right,Npc_HasItems(Trader,ItMw_1H_AssBlade_Npc_Right)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Right) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Right,Npc_HasItems(Trader,ItMw_1H_AssBlade_Right)); }; if(Npc_HasItems(Trader,ItMw_Schwert5) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert5,Npc_HasItems(Trader,ItMw_Schwert5)); }; if(Npc_HasItems(Trader,ItMw_HartSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_HartSword,Npc_HasItems(Trader,ItMw_HartSword)); }; if(Npc_HasItems(Trader,ItMw_Zweihaender3) > 0) { Npc_RemoveInvItems(Trader,ItMw_Zweihaender3,Npc_HasItems(Trader,ItMw_Zweihaender3)); }; if(Npc_HasItems(Trader,ItMw_Meisterdegen) > 0) { Npc_RemoveInvItems(Trader,ItMw_Meisterdegen,Npc_HasItems(Trader,ItMw_Meisterdegen)); }; if(Npc_HasItems(Trader,ItMw_Krummschwert) > 0) { Npc_RemoveInvItems(Trader,ItMw_Krummschwert,Npc_HasItems(Trader,ItMw_Krummschwert)); }; if(Npc_HasItems(Trader,ItMw_Addon_Betty) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_Betty,Npc_HasItems(Trader,ItMw_Addon_Betty)); }; if(Npc_HasItems(Trader,ITMW_DIEGO_DEGEN) > 0) { Npc_RemoveInvItems(Trader,ITMW_DIEGO_DEGEN,Npc_HasItems(Trader,ITMW_DIEGO_DEGEN)); }; if(Npc_HasItems(Trader,ItMw_1H_GoldBrand_Greg) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_GoldBrand_Greg,Npc_HasItems(Trader,ItMw_1H_GoldBrand_Greg)); }; if(Npc_HasItems(Trader,ITMW_GORN_AXT) > 0) { Npc_RemoveInvItems(Trader,ITMW_GORN_AXT,Npc_HasItems(Trader,ITMW_GORN_AXT)); }; if(Npc_HasItems(Trader,ITMW_LEE_AXT) > 0) { Npc_RemoveInvItems(Trader,ITMW_LEE_AXT,Npc_HasItems(Trader,ITMW_LEE_AXT)); }; if(Npc_HasItems(Trader,ITMW_KORD_AXT) > 0) { Npc_RemoveInvItems(Trader,ITMW_KORD_AXT,Npc_HasItems(Trader,ITMW_KORD_AXT)); }; if(Npc_HasItems(Trader,ITMW_LARES_AXT) > 0) { Npc_RemoveInvItems(Trader,ITMW_LARES_AXT,Npc_HasItems(Trader,ITMW_LARES_AXT)); }; if(Npc_HasItems(Trader,ITMW_TORLOF_AXT) > 0) { Npc_RemoveInvItems(Trader,ITMW_TORLOF_AXT,Npc_HasItems(Trader,ITMW_TORLOF_AXT)); }; if(Npc_HasItems(Trader,ITMW_SENTENCA_SWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_SENTENCA_SWORD,Npc_HasItems(Trader,ITMW_SENTENCA_SWORD)); }; if(Npc_HasItems(Trader,ITMW_JARVIS_WAFFER) > 0) { Npc_RemoveInvItems(Trader,ITMW_JARVIS_WAFFER,Npc_HasItems(Trader,ITMW_JARVIS_WAFFER)); }; if(Npc_HasItems(Trader,ItMw_1H_Blessed_Venzel) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Blessed_Venzel,Npc_HasItems(Trader,ItMw_1H_Blessed_Venzel)); }; if(Npc_HasItems(Trader,ITMW_ZWEIHAENDER_GORNAKOSH) > 0) { Npc_RemoveInvItems(Trader,ITMW_ZWEIHAENDER_GORNAKOSH,Npc_HasItems(Trader,ITMW_ZWEIHAENDER_GORNAKOSH)); }; if(Npc_HasItems(Trader,ITMW_WOLF_WAFFER) > 0) { Npc_RemoveInvItems(Trader,ITMW_WOLF_WAFFER,Npc_HasItems(Trader,ITMW_WOLF_WAFFER)); }; if(Npc_HasItems(Trader,ITMW_LESTER_SWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_LESTER_SWORD,Npc_HasItems(Trader,ITMW_LESTER_SWORD)); }; if(Npc_HasItems(Trader,ITMW_KURGANSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_KURGANSWORD,Npc_HasItems(Trader,ITMW_KURGANSWORD)); }; if(Npc_HasItems(Trader,ITMW_2H_MASTER_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASTER_01,Npc_HasItems(Trader,ITMW_2H_MASTER_01)); }; if(Npc_HasItems(Trader,ITMW_SCORPIONSPEC) > 0) { Npc_RemoveInvItems(Trader,ITMW_SCORPIONSPEC,Npc_HasItems(Trader,ITMW_SCORPIONSPEC)); }; if(Npc_HasItems(Trader,ITMW_ABIGEILSPAGE) > 0) { Npc_RemoveInvItems(Trader,ITMW_ABIGEILSPAGE,Npc_HasItems(Trader,ITMW_ABIGEILSPAGE)); }; if(Npc_HasItems(Trader,ITMW_2H_AXE_GESTATH) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_AXE_GESTATH,Npc_HasItems(Trader,ITMW_2H_AXE_GESTATH)); }; if(Npc_HasItems(Trader,ANGAR_SCHWERT) > 0) { Npc_RemoveInvItems(Trader,ANGAR_SCHWERT,Npc_HasItems(Trader,ANGAR_SCHWERT)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_TIAMANT) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_TIAMANT,Npc_HasItems(Trader,ITMW_2H_MASIAF_TIAMANT)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_HANIAR) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_HANIAR,Npc_HasItems(Trader,ITMW_2H_MASIAF_HANIAR)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_HANIAR_Demon) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_HANIAR_Demon,Npc_HasItems(Trader,ITMW_2H_MASIAF_HANIAR_Demon)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_OSAIR) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_OSAIR,Npc_HasItems(Trader,ITMW_2H_MASIAF_OSAIR)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_NROZAS) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_NROZAS,Npc_HasItems(Trader,ITMW_2H_MASIAF_NROZAS)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcAxe_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcAxe_01,Npc_HasItems(Trader,ItMw_2H_OrcAxe_01)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcAxe_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcAxe_02,Npc_HasItems(Trader,ItMw_2H_OrcAxe_02)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcAxe_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcAxe_03,Npc_HasItems(Trader,ItMw_2H_OrcAxe_03)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcAxe_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcAxe_04,Npc_HasItems(Trader,ItMw_2H_OrcAxe_04)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcSword_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcSword_01,Npc_HasItems(Trader,ItMw_2H_OrcSword_01)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcSword_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcSword_02,Npc_HasItems(Trader,ItMw_2H_OrcSword_02)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCSWORD_03) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCSWORD_03,Npc_HasItems(Trader,ITMW_2H_ORCSWORD_03)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCSWORD_04) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCSWORD_04,Npc_HasItems(Trader,ITMW_2H_ORCSWORD_04)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCSWORD_05) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCSWORD_05,Npc_HasItems(Trader,ITMW_2H_ORCSWORD_05)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCMACE_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCMACE_01,Npc_HasItems(Trader,ITMW_2H_ORCMACE_01)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCMACE_02) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCMACE_02,Npc_HasItems(Trader,ITMW_2H_ORCMACE_02)); }; if(Npc_HasItems(Trader,ITMW_2H_DRACONSWORD_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DRACONSWORD_01,Npc_HasItems(Trader,ITMW_2H_DRACONSWORD_01)); }; if(Npc_HasItems(Trader,ITMW_ORCSTAFF) > 0) { Npc_RemoveInvItems(Trader,ITMW_ORCSTAFF,Npc_HasItems(Trader,ITMW_ORCSTAFF)); }; if(Npc_HasItems(Trader,ITMW_ORCSTAFF_ELITE) > 0) { Npc_RemoveInvItems(Trader,ITMW_ORCSTAFF_ELITE,Npc_HasItems(Trader,ITMW_ORCSTAFF_ELITE)); }; if(Npc_HasItems(Trader,ITMW_ORCSTAFF_UNDEAD) > 0) { Npc_RemoveInvItems(Trader,ITMW_ORCSTAFF_UNDEAD,Npc_HasItems(Trader,ITMW_ORCSTAFF_UNDEAD)); }; if(Npc_HasItems(Trader,ITMW_ADDON_KEULE_1H_03) > 0) { Npc_RemoveInvItems(Trader,ITMW_ADDON_KEULE_1H_03,Npc_HasItems(Trader,ITMW_ADDON_KEULE_1H_03)); }; if(Npc_HasItems(Trader,ItMw_2h_OrcStab) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_OrcStab,Npc_HasItems(Trader,ItMw_2h_OrcStab)); }; if(Npc_HasItems(Trader,ITMW_2H_ORCSTAFF_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_ORCSTAFF_01,Npc_HasItems(Trader,ITMW_2H_ORCSTAFF_01)); }; if(Npc_HasItems(Trader,ItAr_Shield_01) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_01,Npc_HasItems(Trader,ItAr_Shield_01)); }; if(Npc_HasItems(Trader,ItAr_Shield_01_Alrik) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_01_Alrik,Npc_HasItems(Trader,ItAr_Shield_01_Alrik)); }; if(Npc_HasItems(Trader,ItAr_Shield_02) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_02,Npc_HasItems(Trader,ItAr_Shield_02)); }; if(Npc_HasItems(Trader,ItAr_Shield_03) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_03,Npc_HasItems(Trader,ItAr_Shield_03)); }; if(Npc_HasItems(Trader,ItAr_Shield_04) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_04,Npc_HasItems(Trader,ItAr_Shield_04)); }; if(Npc_HasItems(Trader,ItAr_Shield_05) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_05,Npc_HasItems(Trader,ItAr_Shield_05)); }; if(Npc_HasItems(Trader,ItAr_Shield_06) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_06,Npc_HasItems(Trader,ItAr_Shield_06)); }; if(Npc_HasItems(Trader,ItAr_Shield_Caracust) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_Caracust,Npc_HasItems(Trader,ItAr_Shield_Caracust)); }; if(Npc_HasItems(Trader,ItAr_Shield_07) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_07,Npc_HasItems(Trader,ItAr_Shield_07)); }; if(Npc_HasItems(Trader,ItAr_Shield_07_Cedrik) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_07_Cedrik,Npc_HasItems(Trader,ItAr_Shield_07_Cedrik)); }; if(Npc_HasItems(Trader,ItAr_Shield_01_Damn) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_01_Damn,Npc_HasItems(Trader,ItAr_Shield_01_Damn)); }; if(Npc_HasItems(Trader,ItAr_Shield_02_Damn) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_02_Damn,Npc_HasItems(Trader,ItAr_Shield_02_Damn)); }; if(Npc_HasItems(Trader,ItAr_Shield_03_Damn) > 0) { Npc_RemoveInvItems(Trader,ItAr_Shield_03_Damn,Npc_HasItems(Trader,ItAr_Shield_03_Damn)); }; if(Npc_HasItems(Trader,ITMW_MEATKNIFE) > 0) { Npc_RemoveInvItems(Trader,ITMW_MEATKNIFE,Npc_HasItems(Trader,ITMW_MEATKNIFE)); }; if(Npc_HasItems(Trader,ItMi_CutKnife) > 0) { Npc_RemoveInvItems(Trader,ItMi_CutKnife,Npc_HasItems(Trader,ItMi_CutKnife)); }; if(Npc_HasItems(Trader,ITMW_2H_SCYTHE) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_SCYTHE,Npc_HasItems(Trader,ITMW_2H_SCYTHE)); }; if(Npc_HasItems(Trader,ItMw_1H_Mace_L_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Mace_L_01,Npc_HasItems(Trader,ItMw_1H_Mace_L_01)); }; if(Npc_HasItems(Trader,ItMw_1h_Bau_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Bau_Axe,Npc_HasItems(Trader,ItMw_1h_Bau_Axe)); }; if(Npc_HasItems(Trader,ItMw_1h_Vlk_Mace) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Vlk_Mace,Npc_HasItems(Trader,ItMw_1h_Vlk_Mace)); }; if(Npc_HasItems(Trader,ItMw_StoneHammer) > 0) { Npc_RemoveInvItems(Trader,ItMw_StoneHammer,Npc_HasItems(Trader,ItMw_StoneHammer)); }; if(Npc_HasItems(Trader,ItMw_1H_Mace_L_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Mace_L_04,Npc_HasItems(Trader,ItMw_1H_Mace_L_04)); }; if(Npc_HasItems(Trader,ITMW_1H_G3_SMITHHAMMER_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_G3_SMITHHAMMER_01,Npc_HasItems(Trader,ITMW_1H_G3_SMITHHAMMER_01)); }; if(Npc_HasItems(Trader,ITMW_1H_G4_AXESMALL_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_G4_AXESMALL_01,Npc_HasItems(Trader,ITMW_1H_G4_AXESMALL_01)); }; if(Npc_HasItems(Trader,ItMw_2h_Bau_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Bau_Axe,Npc_HasItems(Trader,ItMw_2h_Bau_Axe)); }; if(Npc_HasItems(Trader,ItMw_1h_Bau_Mace) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Bau_Mace,Npc_HasItems(Trader,ItMw_1h_Bau_Mace)); }; if(Npc_HasItems(Trader,ItMw_Simple_Spear) > 0) { Npc_RemoveInvItems(Trader,ItMw_Simple_Spear,Npc_HasItems(Trader,ItMw_Simple_Spear)); }; if(Npc_HasItems(Trader,ItMw_1H_Mace_L_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Mace_L_03,Npc_HasItems(Trader,ItMw_1H_Mace_L_03)); }; if(Npc_HasItems(Trader,ItMw_Nagelknueppel) > 0) { Npc_RemoveInvItems(Trader,ItMw_Nagelknueppel,Npc_HasItems(Trader,ItMw_Nagelknueppel)); }; if(Npc_HasItems(Trader,ItMw_1h_Gobbo_Hammer) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Gobbo_Hammer,Npc_HasItems(Trader,ItMw_1h_Gobbo_Hammer)); }; if(Npc_HasItems(Trader,ItMw_OgreHummer) > 0) { Npc_RemoveInvItems(Trader,ItMw_OgreHummer,Npc_HasItems(Trader,ItMw_OgreHummer)); }; if(Npc_HasItems(Trader,ItMw_Kriegskeule) > 0) { Npc_RemoveInvItems(Trader,ItMw_Kriegskeule,Npc_HasItems(Trader,ItMw_Kriegskeule)); }; if(Npc_HasItems(Trader,ItMw_1H_GoblinTotem) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_GoblinTotem,Npc_HasItems(Trader,ItMw_1H_GoblinTotem)); }; if(Npc_HasItems(Trader,ItMw_1h_Nov_Mace) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Nov_Mace,Npc_HasItems(Trader,ItMw_1h_Nov_Mace)); }; if(Npc_HasItems(Trader,ItMw_Richtstab) > 0) { Npc_RemoveInvItems(Trader,ItMw_Richtstab,Npc_HasItems(Trader,ItMw_Richtstab)); }; if(Npc_HasItems(Trader,ItMw_Stabkeule) > 0) { Npc_RemoveInvItems(Trader,ItMw_Stabkeule,Npc_HasItems(Trader,ItMw_Stabkeule)); }; if(Npc_HasItems(Trader,ITMW_BATTLEMAGE_STAB_02) > 0) { Npc_RemoveInvItems(Trader,ITMW_BATTLEMAGE_STAB_02,Npc_HasItems(Trader,ITMW_BATTLEMAGE_STAB_02)); }; if(Npc_HasItems(Trader,ItMW_Addon_Keule_1h_01) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Keule_1h_01,Npc_HasItems(Trader,ItMW_Addon_Keule_1h_01)); }; if(Npc_HasItems(Trader,ItMw_RangerStaff_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMw_RangerStaff_Addon,Npc_HasItems(Trader,ItMw_RangerStaff_Addon)); }; if(Npc_HasItems(Trader,ITMW_2H_G3_STAFFDRUID_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_G3_STAFFDRUID_01,Npc_HasItems(Trader,ITMW_2H_G3_STAFFDRUID_01)); }; if(Npc_HasItems(Trader,ITMW_2H_G3_STAFFFIRE_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_G3_STAFFFIRE_01,Npc_HasItems(Trader,ITMW_2H_G3_STAFFFIRE_01)); }; if(Npc_HasItems(Trader,ITMW_2H_G3_STAFFWATER_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_G3_STAFFWATER_01,Npc_HasItems(Trader,ITMW_2H_G3_STAFFWATER_01)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_BLACKSTAFF_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_BLACKSTAFF_01,Npc_HasItems(Trader,ITMW_2H_KMR_BLACKSTAFF_01)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab01) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab01,Npc_HasItems(Trader,ItMW_Addon_Stab01)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab02) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab02,Npc_HasItems(Trader,ItMW_Addon_Stab02)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab03) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab03,Npc_HasItems(Trader,ItMW_Addon_Stab03)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab04) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab04,Npc_HasItems(Trader,ItMW_Addon_Stab04)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_DAEMONSTAFF_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_DAEMONSTAFF_01,Npc_HasItems(Trader,ITMW_2H_KMR_DAEMONSTAFF_01)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab01_NPC) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab01_NPC,Npc_HasItems(Trader,ItMW_Addon_Stab01_NPC)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab02_NPC) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab02_NPC,Npc_HasItems(Trader,ItMW_Addon_Stab02_NPC)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab03_NPC) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab03_NPC,Npc_HasItems(Trader,ItMW_Addon_Stab03_NPC)); }; if(Npc_HasItems(Trader,ItMW_Addon_Stab04_NPC) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Stab04_NPC,Npc_HasItems(Trader,ItMW_Addon_Stab04_NPC)); }; if(Npc_HasItems(Trader,ItMW_Xardas_Stab) > 0) { Npc_RemoveInvItems(Trader,ItMW_Xardas_Stab,Npc_HasItems(Trader,ItMW_Xardas_Stab)); }; if(Npc_HasItems(Trader,ItMw_1h_MISC_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_MISC_Sword,Npc_HasItems(Trader,ItMw_1h_MISC_Sword)); }; if(Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Sum) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_MISC_Sword_Sum,Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Sum)); }; if(Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Str) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_MISC_Sword_Str,Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Str)); }; if(Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Mst) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_MISC_Sword_Mst,Npc_HasItems(Trader,ItMw_1h_MISC_Sword_Mst)); }; if(Npc_HasItems(Trader,ITMW_1H_MISC_GSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_MISC_GSWORD,Npc_HasItems(Trader,ITMW_1H_MISC_GSWORD)); }; if(Npc_HasItems(Trader,ItMw_1h_Misc_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Misc_Axe,Npc_HasItems(Trader,ItMw_1h_Misc_Axe)); }; if(Npc_HasItems(Trader,ItMw_2H_OldSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OldSword,Npc_HasItems(Trader,ItMw_2H_OldSword)); }; if(Npc_HasItems(Trader,ItMw_2H_Sword_M_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Sword_M_01,Npc_HasItems(Trader,ItMw_2H_Sword_M_01)); }; if(Npc_HasItems(Trader,ITMW_SHADOWPRIEST) > 0) { Npc_RemoveInvItems(Trader,ITMW_SHADOWPRIEST,Npc_HasItems(Trader,ITMW_SHADOWPRIEST)); }; if(Npc_HasItems(Trader,ITMW_SHADOWPRIEST_Elite) > 0) { Npc_RemoveInvItems(Trader,ITMW_SHADOWPRIEST_Elite,Npc_HasItems(Trader,ITMW_SHADOWPRIEST_Elite)); }; if(Npc_HasItems(Trader,ItMw_Doom_OldPiratensaebel) > 0) { Npc_RemoveInvItems(Trader,ItMw_Doom_OldPiratensaebel,Npc_HasItems(Trader,ItMw_Doom_OldPiratensaebel)); }; if(Npc_HasItems(Trader,ITMW_1H_DOOMSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_DOOMSWORD,Npc_HasItems(Trader,ITMW_1H_DOOMSWORD)); }; if(Npc_HasItems(Trader,ITMW_1H_GHOSTSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_GHOSTSWORD,Npc_HasItems(Trader,ITMW_1H_GHOSTSWORD)); }; if(Npc_HasItems(Trader,ItMw_2H_IzgulScy) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_IzgulScy,Npc_HasItems(Trader,ItMw_2H_IzgulScy)); }; if(Npc_HasItems(Trader,ITMW_1H_DoomSpeer) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_DoomSpeer,Npc_HasItems(Trader,ITMW_1H_DoomSpeer)); }; if(Npc_HasItems(Trader,ITMW_2H_DRACONSWORD_DEAD) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DRACONSWORD_DEAD,Npc_HasItems(Trader,ITMW_2H_DRACONSWORD_DEAD)); }; if(Npc_HasItems(Trader,ITMW_1H_DOOMSWORD_Elite) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_DOOMSWORD_Elite,Npc_HasItems(Trader,ITMW_1H_DOOMSWORD_Elite)); }; if(Npc_HasItems(Trader,ITMW_2H_DOOMSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DOOMSWORD,Npc_HasItems(Trader,ITMW_2H_DOOMSWORD)); }; if(Npc_HasItems(Trader,ITMW_2H_DOOMSWORD_PreElite) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DOOMSWORD_PreElite,Npc_HasItems(Trader,ITMW_2H_DOOMSWORD_PreElite)); }; if(Npc_HasItems(Trader,ITMW_2H_DOOMSWORD_Elite) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DOOMSWORD_Elite,Npc_HasItems(Trader,ITMW_2H_DOOMSWORD_Elite)); }; if(Npc_HasItems(Trader,ITMW_2H_RAVENELITE) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_RAVENELITE,Npc_HasItems(Trader,ITMW_2H_RAVENELITE)); }; if(Npc_HasItems(Trader,ITMW_2H_MASIAF_DAMN) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MASIAF_DAMN,Npc_HasItems(Trader,ITMW_2H_MASIAF_DAMN)); }; if(Npc_HasItems(Trader,ItMw_DS_MonWeapon) > 0) { Npc_RemoveInvItems(Trader,ItMw_DS_MonWeapon,Npc_HasItems(Trader,ItMw_DS_MonWeapon)); }; if(Npc_HasItems(Trader,ItMw_DS_MonWeapon_Med) > 0) { Npc_RemoveInvItems(Trader,ItMw_DS_MonWeapon_Med,Npc_HasItems(Trader,ItMw_DS_MonWeapon_Med)); }; if(Npc_HasItems(Trader,ItMw_DS_MonWeapon_Elite) > 0) { Npc_RemoveInvItems(Trader,ItMw_DS_MonWeapon_Elite,Npc_HasItems(Trader,ItMw_DS_MonWeapon_Elite)); }; if(Npc_HasItems(Trader,ItMw_DS_MonWeapon_ExElite) > 0) { Npc_RemoveInvItems(Trader,ItMw_DS_MonWeapon_ExElite,Npc_HasItems(Trader,ItMw_DS_MonWeapon_ExElite)); }; if(Npc_HasItems(Trader,ItMi_GongDrum) > 0) { Npc_RemoveInvItems(Trader,ItMi_GongDrum,Npc_HasItems(Trader,ItMi_GongDrum)); }; if(Npc_HasItems(Trader,ItMw_1h_Sld_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Sld_Sword,Npc_HasItems(Trader,ItMw_1h_Sld_Sword)); }; if(Npc_HasItems(Trader,Bdmn_vob) > 0) { Npc_RemoveInvItems(Trader,Bdmn_vob,Npc_HasItems(Trader,Bdmn_vob)); }; if(Npc_HasItems(Trader,ItMw_1h_Vlk_Dagger) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Vlk_Dagger,Npc_HasItems(Trader,ItMw_1h_Vlk_Dagger)); }; if(Npc_HasItems(Trader,ItMw_1H_Sword_L_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Sword_L_03,Npc_HasItems(Trader,ItMw_1H_Sword_L_03)); }; if(Npc_HasItems(Trader,ItMW_Addon_Knife01) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Knife01,Npc_HasItems(Trader,ItMW_Addon_Knife01)); }; if(Npc_HasItems(Trader,ItMW_Rich_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMW_Rich_Sword,Npc_HasItems(Trader,ItMW_Rich_Sword)); }; if(Npc_HasItems(Trader,ItMw_FrancisDagger_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMw_FrancisDagger_Mis,Npc_HasItems(Trader,ItMw_FrancisDagger_Mis)); }; if(Npc_HasItems(Trader,ItMw_OldPiratensaebel) > 0) { Npc_RemoveInvItems(Trader,ItMw_OldPiratensaebel,Npc_HasItems(Trader,ItMw_OldPiratensaebel)); }; if(Npc_HasItems(Trader,ItMw_Piratensaebel) > 0) { Npc_RemoveInvItems(Trader,ItMw_Piratensaebel,Npc_HasItems(Trader,ItMw_Piratensaebel)); }; if(Npc_HasItems(Trader,ItMw_Sense) > 0) { Npc_RemoveInvItems(Trader,ItMw_Sense,Npc_HasItems(Trader,ItMw_Sense)); }; if(Npc_HasItems(Trader,ItMw_BartokSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_BartokSword,Npc_HasItems(Trader,ItMw_BartokSword)); }; if(Npc_HasItems(Trader,ItMW_Addon_Hacker_1h_02) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Hacker_1h_02,Npc_HasItems(Trader,ItMW_Addon_Hacker_1h_02)); }; if(Npc_HasItems(Trader,ItMW_Addon_Hacker_1h_01) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Hacker_1h_01,Npc_HasItems(Trader,ItMW_Addon_Hacker_1h_01)); }; if(Npc_HasItems(Trader,ItMW_Addon_Hacker_2h_02) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Hacker_2h_02,Npc_HasItems(Trader,ItMW_Addon_Hacker_2h_02)); }; if(Npc_HasItems(Trader,ItMW_Addon_Hacker_2h_01) > 0) { Npc_RemoveInvItems(Trader,ItMW_Addon_Hacker_2h_01,Npc_HasItems(Trader,ItMW_Addon_Hacker_2h_01)); }; if(Npc_HasItems(Trader,ItMw_Addon_PIR1hAxe) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_PIR1hAxe,Npc_HasItems(Trader,ItMw_Addon_PIR1hAxe)); }; if(Npc_HasItems(Trader,ItMw_Addon_PIR1hSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_PIR1hSword,Npc_HasItems(Trader,ItMw_Addon_PIR1hSword)); }; if(Npc_HasItems(Trader,ItMw_Addon_PIR2hAxe) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_PIR2hAxe,Npc_HasItems(Trader,ItMw_Addon_PIR2hAxe)); }; if(Npc_HasItems(Trader,ItMw_Addon_PIR2hSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_PIR2hSword,Npc_HasItems(Trader,ItMw_Addon_PIR2hSword)); }; if(Npc_HasItems(Trader,ItMw_Schiffsaxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schiffsaxt,Npc_HasItems(Trader,ItMw_Schiffsaxt)); }; if(Npc_HasItems(Trader,ItMw_OldSpage) > 0) { Npc_RemoveInvItems(Trader,ItMw_OldSpage,Npc_HasItems(Trader,ItMw_OldSpage)); }; if(Npc_HasItems(Trader,ItMw_1h_Vlk_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Vlk_Sword,Npc_HasItems(Trader,ItMw_1h_Vlk_Sword)); }; if(Npc_HasItems(Trader,ItMw_Addon_BanditTrader) > 0) { Npc_RemoveInvItems(Trader,ItMw_Addon_BanditTrader,Npc_HasItems(Trader,ItMw_Addon_BanditTrader)); }; if(Npc_HasItems(Trader,ItMw_Rapier) > 0) { Npc_RemoveInvItems(Trader,ItMw_Rapier,Npc_HasItems(Trader,ItMw_Rapier)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_01,Npc_HasItems(Trader,ItMw_ChiefRapier_01)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_02,Npc_HasItems(Trader,ItMw_ChiefRapier_02)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_03,Npc_HasItems(Trader,ItMw_ChiefRapier_03)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_04,Npc_HasItems(Trader,ItMw_ChiefRapier_04)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_05) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_05,Npc_HasItems(Trader,ItMw_ChiefRapier_05)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_06) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_06,Npc_HasItems(Trader,ItMw_ChiefRapier_06)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_Loa) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_Loa,Npc_HasItems(Trader,ItMw_ChiefRapier_Loa)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_07) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_07,Npc_HasItems(Trader,ItMw_ChiefRapier_07)); }; if(Npc_HasItems(Trader,ItMw_ChiefRapier_08) > 0) { Npc_RemoveInvItems(Trader,ItMw_ChiefRapier_08,Npc_HasItems(Trader,ItMw_ChiefRapier_08)); }; if(Npc_HasItems(Trader,ItMw_Avabul_Dagger) > 0) { Npc_RemoveInvItems(Trader,ItMw_Avabul_Dagger,Npc_HasItems(Trader,ItMw_Avabul_Dagger)); }; if(Npc_HasItems(Trader,ItMw_1H_GoldBrand) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_GoldBrand,Npc_HasItems(Trader,ItMw_1H_GoldBrand)); }; if(Npc_HasItems(Trader,ITMW_2H_KATANA) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KATANA,Npc_HasItems(Trader,ITMW_2H_KATANA)); }; if(Npc_HasItems(Trader,ITMW_2H_KATANA_GIFT) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KATANA_GIFT,Npc_HasItems(Trader,ITMW_2H_KATANA_GIFT)); }; if(Npc_HasItems(Trader,ITMW_2H_KATANA_Gonsales) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KATANA_Gonsales,Npc_HasItems(Trader,ITMW_2H_KATANA_Gonsales)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade,Npc_HasItems(Trader,ItMw_1H_AssBlade)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_View) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_View,Npc_HasItems(Trader,ItMw_1H_AssBlade_View)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Known) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Known,Npc_HasItems(Trader,ItMw_1H_AssBlade_Known)); }; if(Npc_HasItems(Trader,ItMw_1H_AssBlade_Hero) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_AssBlade_Hero,Npc_HasItems(Trader,ItMw_1H_AssBlade_Hero)); }; if(Npc_HasItems(Trader,ITMW_FAKESWORD_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_FAKESWORD_01,Npc_HasItems(Trader,ITMW_FAKESWORD_01)); }; if(Npc_HasItems(Trader,ItMw_1h_Vlk_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Vlk_Axe,Npc_HasItems(Trader,ItMw_1h_Vlk_Axe)); }; if(Npc_HasItems(Trader,HEERSCHERSTAB) > 0) { Npc_RemoveInvItems(Trader,HEERSCHERSTAB,Npc_HasItems(Trader,HEERSCHERSTAB)); }; if(Npc_HasItems(Trader,ItMw_ShortSword2) > 0) { Npc_RemoveInvItems(Trader,ItMw_ShortSword2,Npc_HasItems(Trader,ItMw_ShortSword2)); }; if(Npc_HasItems(Trader,ItMw_ShortSword3) > 0) { Npc_RemoveInvItems(Trader,ItMw_ShortSword3,Npc_HasItems(Trader,ItMw_ShortSword3)); }; if(Npc_HasItems(Trader,ItMw_ShortSword4) > 0) { Npc_RemoveInvItems(Trader,ItMw_ShortSword4,Npc_HasItems(Trader,ItMw_ShortSword4)); }; if(Npc_HasItems(Trader,ItMw_ShortSword5) > 0) { Npc_RemoveInvItems(Trader,ItMw_ShortSword5,Npc_HasItems(Trader,ItMw_ShortSword5)); }; if(Npc_HasItems(Trader,ItMw_ShortSword1) > 0) { Npc_RemoveInvItems(Trader,ItMw_ShortSword1,Npc_HasItems(Trader,ItMw_ShortSword1)); }; if(Npc_HasItems(Trader,ItMw_Schwert) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert,Npc_HasItems(Trader,ItMw_Schwert)); }; if(Npc_HasItems(Trader,ItMw_1h_Mil_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Mil_Sword,Npc_HasItems(Trader,ItMw_1h_Mil_Sword)); }; if(Npc_HasItems(Trader,ItMw_1h_Sld_Sword_New) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Sld_Sword_New,Npc_HasItems(Trader,ItMw_1h_Sld_Sword_New)); }; if(Npc_HasItems(Trader,ItMw_Schwert3) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert3,Npc_HasItems(Trader,ItMw_Schwert3)); }; if(Npc_HasItems(Trader,ItMw_Schwert2) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert2,Npc_HasItems(Trader,ItMw_Schwert2)); }; if(Npc_HasItems(Trader,ItMw_1h_Pal_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Pal_Sword,Npc_HasItems(Trader,ItMw_1h_Pal_Sword)); }; if(Npc_HasItems(Trader,ItMw_Zweihaender1) > 0) { Npc_RemoveInvItems(Trader,ItMw_Zweihaender1,Npc_HasItems(Trader,ItMw_Zweihaender1)); }; if(Npc_HasItems(Trader,ItMw_Hellebarde) > 0) { Npc_RemoveInvItems(Trader,ItMw_Hellebarde,Npc_HasItems(Trader,ItMw_Hellebarde)); }; if(Npc_HasItems(Trader,ItMw_2h_Sld_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Sld_Sword,Npc_HasItems(Trader,ItMw_2h_Sld_Sword)); }; if(Npc_HasItems(Trader,ItMw_Zweihaender2) > 0) { Npc_RemoveInvItems(Trader,ItMw_Zweihaender2,Npc_HasItems(Trader,ItMw_Zweihaender2)); }; if(Npc_HasItems(Trader,ItMw_2h_Pal_Sword) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Pal_Sword,Npc_HasItems(Trader,ItMw_2h_Pal_Sword)); }; if(Npc_HasItems(Trader,ItMw_Zweihaender4) > 0) { Npc_RemoveInvItems(Trader,ItMw_Zweihaender4,Npc_HasItems(Trader,ItMw_Zweihaender4)); }; if(Npc_HasItems(Trader,ItMw_2H_Claymore) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Claymore,Npc_HasItems(Trader,ItMw_2H_Claymore)); }; if(Npc_HasItems(Trader,ItMw_1h_Pal_Sword_Etlu) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Pal_Sword_Etlu,Npc_HasItems(Trader,ItMw_1h_Pal_Sword_Etlu)); }; if(Npc_HasItems(Trader,ItMw_2h_Pal_Sword_Etlu) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Pal_Sword_Etlu,Npc_HasItems(Trader,ItMw_2h_Pal_Sword_Etlu)); }; if(Npc_HasItems(Trader,ItMw_Nagelkeule) > 0) { Npc_RemoveInvItems(Trader,ItMw_Nagelkeule,Npc_HasItems(Trader,ItMw_Nagelkeule)); }; if(Npc_HasItems(Trader,ItMw_Nagelkeule2) > 0) { Npc_RemoveInvItems(Trader,ItMw_Nagelkeule2,Npc_HasItems(Trader,ItMw_Nagelkeule2)); }; if(Npc_HasItems(Trader,ItMw_Streitkolben) > 0) { Npc_RemoveInvItems(Trader,ItMw_Streitkolben,Npc_HasItems(Trader,ItMw_Streitkolben)); }; if(Npc_HasItems(Trader,ItMw_Steinbrecher) > 0) { Npc_RemoveInvItems(Trader,ItMw_Steinbrecher,Npc_HasItems(Trader,ItMw_Steinbrecher)); }; if(Npc_HasItems(Trader,ItMw_Spicker) > 0) { Npc_RemoveInvItems(Trader,ItMw_Spicker,Npc_HasItems(Trader,ItMw_Spicker)); }; if(Npc_HasItems(Trader,ItMw_Kriegshammer1) > 0) { Npc_RemoveInvItems(Trader,ItMw_Kriegshammer1,Npc_HasItems(Trader,ItMw_Kriegshammer1)); }; if(Npc_HasItems(Trader,ItMw_Kriegshammer2) > 0) { Npc_RemoveInvItems(Trader,ItMw_Kriegshammer2,Npc_HasItems(Trader,ItMw_Kriegshammer2)); }; if(Npc_HasItems(Trader,ItMw_Morgenstern) > 0) { Npc_RemoveInvItems(Trader,ItMw_Morgenstern,Npc_HasItems(Trader,ItMw_Morgenstern)); }; if(Npc_HasItems(Trader,ITMW_1H_MACE_107) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_MACE_107,Npc_HasItems(Trader,ITMW_1H_MACE_107)); }; if(Npc_HasItems(Trader,ItMw_Inquisitor) > 0) { Npc_RemoveInvItems(Trader,ItMw_Inquisitor,Npc_HasItems(Trader,ItMw_Inquisitor)); }; if(Npc_HasItems(Trader,ItMw_Rabenschnabel) > 0) { Npc_RemoveInvItems(Trader,ItMw_Rabenschnabel,Npc_HasItems(Trader,ItMw_Rabenschnabel)); }; if(Npc_HasItems(Trader,ITMW_1H_MACE_BANDOS_107) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_MACE_BANDOS_107,Npc_HasItems(Trader,ITMW_1H_MACE_BANDOS_107)); }; if(Npc_HasItems(Trader,ItMw_2H_Warhammer) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Warhammer,Npc_HasItems(Trader,ItMw_2H_Warhammer)); }; if(Npc_HasItems(Trader,ITMW_2H_MACE_107) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_MACE_107,Npc_HasItems(Trader,ITMW_2H_MACE_107)); }; if(Npc_HasItems(Trader,ItMw_2H_Volebir) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Volebir,Npc_HasItems(Trader,ItMw_2H_Volebir)); }; if(Npc_HasItems(Trader,ItMw_2H_IceHammer) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_IceHammer,Npc_HasItems(Trader,ItMw_2H_IceHammer)); }; if(Npc_HasItems(Trader,ItMw_2H_NordmarWarHammer) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_NordmarWarHammer,Npc_HasItems(Trader,ItMw_2H_NordmarWarHammer)); }; if(Npc_HasItems(Trader,ItMw_1H_MolagBarMace) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_MolagBarMace,Npc_HasItems(Trader,ItMw_1H_MolagBarMace)); }; if(Npc_HasItems(Trader,ItMw_2H_SharpTeeth) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_SharpTeeth,Npc_HasItems(Trader,ItMw_2H_SharpTeeth)); }; if(Npc_HasItems(Trader,ItMw_1h_Sld_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_1h_Sld_Axe,Npc_HasItems(Trader,ItMw_1h_Sld_Axe)); }; if(Npc_HasItems(Trader,ItMw_Bartaxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Bartaxt,Npc_HasItems(Trader,ItMw_Bartaxt)); }; if(Npc_HasItems(Trader,ItMw_Doppelaxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Doppelaxt,Npc_HasItems(Trader,ItMw_Doppelaxt)); }; if(Npc_HasItems(Trader,ItMw_2h_Sld_Axe) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Sld_Axe,Npc_HasItems(Trader,ItMw_2h_Sld_Axe)); }; if(Npc_HasItems(Trader,ItMw_Streitaxt1) > 0) { Npc_RemoveInvItems(Trader,ItMw_Streitaxt1,Npc_HasItems(Trader,ItMw_Streitaxt1)); }; if(Npc_HasItems(Trader,ItMw_Folteraxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Folteraxt,Npc_HasItems(Trader,ItMw_Folteraxt)); }; if(Npc_HasItems(Trader,ITMW_2H_AXE_BERSERK_107) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_AXE_BERSERK_107,Npc_HasItems(Trader,ITMW_2H_AXE_BERSERK_107)); }; if(Npc_HasItems(Trader,ITMW_2H_G3A_ORCAXE_02) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_G3A_ORCAXE_02,Npc_HasItems(Trader,ITMW_2H_G3A_ORCAXE_02)); }; if(Npc_HasItems(Trader,ItMw_Streitaxt2) > 0) { Npc_RemoveInvItems(Trader,ItMw_Streitaxt2,Npc_HasItems(Trader,ItMw_Streitaxt2)); }; if(Npc_HasItems(Trader,ItMw_Streitaxt3) > 0) { Npc_RemoveInvItems(Trader,ItMw_Streitaxt3,Npc_HasItems(Trader,ItMw_Streitaxt3)); }; if(Npc_HasItems(Trader,ItMw_1H_Common_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Common_01,Npc_HasItems(Trader,ItMw_1H_Common_01)); }; if(Npc_HasItems(Trader,ItMw_1H_Common_01_Blade) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Common_01_Blade,Npc_HasItems(Trader,ItMw_1H_Common_01_Blade)); }; if(Npc_HasItems(Trader,ItMw_Schwert1) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert1,Npc_HasItems(Trader,ItMw_Schwert1)); }; if(Npc_HasItems(Trader,ItMw_Schwert4) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schwert4,Npc_HasItems(Trader,ItMw_Schwert4)); }; if(Npc_HasItems(Trader,ItMw_Rubinklinge) > 0) { Npc_RemoveInvItems(Trader,ItMw_Rubinklinge,Npc_HasItems(Trader,ItMw_Rubinklinge)); }; if(Npc_HasItems(Trader,ItMw_ElBastardo) > 0) { Npc_RemoveInvItems(Trader,ItMw_ElBastardo,Npc_HasItems(Trader,ItMw_ElBastardo)); }; if(Npc_HasItems(Trader,ItMw_1H_Special_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Special_01,Npc_HasItems(Trader,ItMw_1H_Special_01)); }; if(Npc_HasItems(Trader,ItMw_1H_Special_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Special_02,Npc_HasItems(Trader,ItMw_1H_Special_02)); }; if(Npc_HasItems(Trader,ItMw_1H_Special_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Special_03,Npc_HasItems(Trader,ItMw_1H_Special_03)); }; if(Npc_HasItems(Trader,ItMw_1H_Special_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Special_04,Npc_HasItems(Trader,ItMw_1H_Special_04)); }; if(Npc_HasItems(Trader,ItMw_2H_Special_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Special_01,Npc_HasItems(Trader,ItMw_2H_Special_01)); }; if(Npc_HasItems(Trader,ItMw_2H_Special_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Special_02,Npc_HasItems(Trader,ItMw_2H_Special_02)); }; if(Npc_HasItems(Trader,ItMw_2H_Special_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Special_03,Npc_HasItems(Trader,ItMw_2H_Special_03)); }; if(Npc_HasItems(Trader,ItMw_2H_Special_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Special_04,Npc_HasItems(Trader,ItMw_2H_Special_04)); }; if(Npc_HasItems(Trader,ItMw_1H_Blessed_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Blessed_01,Npc_HasItems(Trader,ItMw_1H_Blessed_01)); }; if(Npc_HasItems(Trader,ItMw_1H_Blessed_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Blessed_02,Npc_HasItems(Trader,ItMw_1H_Blessed_02)); }; if(Npc_HasItems(Trader,ItMw_1H_Blessed_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_Blessed_03,Npc_HasItems(Trader,ItMw_1H_Blessed_03)); }; if(Npc_HasItems(Trader,ItMw_2H_Blessed_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Blessed_01,Npc_HasItems(Trader,ItMw_2H_Blessed_01)); }; if(Npc_HasItems(Trader,ItMw_2H_Blessed_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Blessed_02,Npc_HasItems(Trader,ItMw_2H_Blessed_02)); }; if(Npc_HasItems(Trader,ItMw_2H_Blessed_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Blessed_03,Npc_HasItems(Trader,ItMw_2H_Blessed_03)); }; if(Npc_HasItems(Trader,ITMW_1H_SIMPLEBLACK) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_SIMPLEBLACK,Npc_HasItems(Trader,ITMW_1H_SIMPLEBLACK)); }; if(Npc_HasItems(Trader,ITMW_1H_SIMPLEBLACK_DEX) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_SIMPLEBLACK_DEX,Npc_HasItems(Trader,ITMW_1H_SIMPLEBLACK_DEX)); }; if(Npc_HasItems(Trader,ITMW_2H_SIMPLEBLACK) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_SIMPLEBLACK,Npc_HasItems(Trader,ITMW_2H_SIMPLEBLACK)); }; if(Npc_HasItems(Trader,ItMw_Drakesaebel) > 0) { Npc_RemoveInvItems(Trader,ItMw_Drakesaebel,Npc_HasItems(Trader,ItMw_Drakesaebel)); }; if(Npc_HasItems(Trader,ITMW_1H_KMR_GREATLONG_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_KMR_GREATLONG_01,Npc_HasItems(Trader,ITMW_1H_KMR_GREATLONG_01)); }; if(Npc_HasItems(Trader,ITMW_1H_SWORD_LONG_05) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_SWORD_LONG_05,Npc_HasItems(Trader,ITMW_1H_SWORD_LONG_05)); }; if(Npc_HasItems(Trader,ItMw_Runenschwert) > 0) { Npc_RemoveInvItems(Trader,ItMw_Runenschwert,Npc_HasItems(Trader,ItMw_Runenschwert)); }; if(Npc_HasItems(Trader,ITMW_1H_SWORD_ORCSLAYER_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_SWORD_ORCSLAYER_01,Npc_HasItems(Trader,ITMW_1H_SWORD_ORCSLAYER_01)); }; if(Npc_HasItems(Trader,ItMw_Sturmbringer) > 0) { Npc_RemoveInvItems(Trader,ItMw_Sturmbringer,Npc_HasItems(Trader,ItMw_Sturmbringer)); }; if(Npc_HasItems(Trader,ITMW_1H_CREST) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_CREST,Npc_HasItems(Trader,ITMW_1H_CREST)); }; if(Npc_HasItems(Trader,ItMw_Orkschlaechter) > 0) { Npc_RemoveInvItems(Trader,ItMw_Orkschlaechter,Npc_HasItems(Trader,ItMw_Orkschlaechter)); }; if(Npc_HasItems(Trader,ITMW_FEARUND) > 0) { Npc_RemoveInvItems(Trader,ITMW_FEARUND,Npc_HasItems(Trader,ITMW_FEARUND)); }; if(Npc_HasItems(Trader,ItMw_Drachen_Sword_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_Drachen_Sword_02,Npc_HasItems(Trader,ItMw_Drachen_Sword_02)); }; if(Npc_HasItems(Trader,ITMW_1H_KMR_SNAKESWORD_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_KMR_SNAKESWORD_01,Npc_HasItems(Trader,ITMW_1H_KMR_SNAKESWORD_01)); }; if(Npc_HasItems(Trader,ITMW_NORMARDSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_NORMARDSWORD,Npc_HasItems(Trader,ITMW_NORMARDSWORD)); }; if(Npc_HasItems(Trader,ITMW_1H_BLACKSWORD) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_BLACKSWORD,Npc_HasItems(Trader,ITMW_1H_BLACKSWORD)); }; if(Npc_HasItems(Trader,ITMW_1H_G3A_DAEMONBLADE_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_G3A_DAEMONBLADE_01,Npc_HasItems(Trader,ITMW_1H_G3A_DAEMONBLADE_01)); }; if(Npc_HasItems(Trader,ItMw_1H_GinnokSword) > 0) { Npc_RemoveInvItems(Trader,ItMw_1H_GinnokSword,Npc_HasItems(Trader,ItMw_1H_GinnokSword)); }; if(Npc_HasItems(Trader,ITMW_1H_XARADRIM) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_XARADRIM,Npc_HasItems(Trader,ITMW_1H_XARADRIM)); }; if(Npc_HasItems(Trader,ITMW_1H_LostSoul) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_LostSoul,Npc_HasItems(Trader,ITMW_1H_LostSoul)); }; if(Npc_HasItems(Trader,ITMW_1H_DEATHBRINGER) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_DEATHBRINGER,Npc_HasItems(Trader,ITMW_1H_DEATHBRINGER)); }; if(Npc_HasItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC,Npc_HasItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC)); }; if(Npc_HasItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC_DEX) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC_DEX,Npc_HasItems(Trader,ITMW_1H_BLESSEDBLACK_MAGIC_DEX)); }; if(Npc_HasItems(Trader,ITMW_2H_AXE_KOLUN_107) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_AXE_KOLUN_107,Npc_HasItems(Trader,ITMW_2H_AXE_KOLUN_107)); }; if(Npc_HasItems(Trader,ITMW_2H_G3A_ORCAXE_03) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_G3A_ORCAXE_03,Npc_HasItems(Trader,ITMW_2H_G3A_ORCAXE_03)); }; if(Npc_HasItems(Trader,ItMw_Schlachtaxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Schlachtaxt,Npc_HasItems(Trader,ItMw_Schlachtaxt)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_AXE_H_02) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_AXE_H_02,Npc_HasItems(Trader,ITMW_2H_KMR_AXE_H_02)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_SOULSWORD_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_SOULSWORD_01,Npc_HasItems(Trader,ITMW_2H_KMR_SOULSWORD_01)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_WITCHCLAYMORE_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_WITCHCLAYMORE_01,Npc_HasItems(Trader,ITMW_2H_KMR_WITCHCLAYMORE_01)); }; if(Npc_HasItems(Trader,Orc_Blade) > 0) { Npc_RemoveInvItems(Trader,Orc_Blade,Npc_HasItems(Trader,Orc_Blade)); }; if(Npc_HasItems(Trader,ItMw_Drachenschneide) > 0) { Npc_RemoveInvItems(Trader,ItMw_Drachenschneide,Npc_HasItems(Trader,ItMw_Drachenschneide)); }; if(Npc_HasItems(Trader,ItMw_RuneAxeAncient) > 0) { Npc_RemoveInvItems(Trader,ItMw_RuneAxeAncient,Npc_HasItems(Trader,ItMw_RuneAxeAncient)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_RHOBAR_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_RHOBAR_01,Npc_HasItems(Trader,ITMW_2H_KMR_RHOBAR_01)); }; if(Npc_HasItems(Trader,ItMw_DemonHand) > 0) { Npc_RemoveInvItems(Trader,ItMw_DemonHand,Npc_HasItems(Trader,ItMw_DemonHand)); }; if(Npc_HasItems(Trader,ITMW_2H_KMR_GREATORCAXE_01) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_KMR_GREATORCAXE_01,Npc_HasItems(Trader,ITMW_2H_KMR_GREATORCAXE_01)); }; if(Npc_HasItems(Trader,ItMw_DragonBone) > 0) { Npc_RemoveInvItems(Trader,ItMw_DragonBone,Npc_HasItems(Trader,ItMw_DragonBone)); }; if(Npc_HasItems(Trader,ITMW_2H_URIZEL) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_URIZEL,Npc_HasItems(Trader,ITMW_2H_URIZEL)); }; if(Npc_HasItems(Trader,ITMW_2H_URIZEL_NOMAGIC) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_URIZEL_NOMAGIC,Npc_HasItems(Trader,ITMW_2H_URIZEL_NOMAGIC)); }; if(Npc_HasItems(Trader,ITMW_2H_XARADRIM) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_XARADRIM,Npc_HasItems(Trader,ITMW_2H_XARADRIM)); }; if(Npc_HasItems(Trader,ItMw_2H_DarkSoul) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_DarkSoul,Npc_HasItems(Trader,ItMw_2H_DarkSoul)); }; if(Npc_HasItems(Trader,ItMw_Berserkeraxt) > 0) { Npc_RemoveInvItems(Trader,ItMw_Berserkeraxt,Npc_HasItems(Trader,ItMw_Berserkeraxt)); }; if(Npc_HasItems(Trader,ITMW_2H_DRAGONMASTER) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_DRAGONMASTER,Npc_HasItems(Trader,ITMW_2H_DRAGONMASTER)); }; if(Npc_HasItems(Trader,ITMW_2H_WELTENSPALTER) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_WELTENSPALTER,Npc_HasItems(Trader,ITMW_2H_WELTENSPALTER)); }; if(Npc_HasItems(Trader,ITMW_2H_BLESSEDBLACK_MAGIC) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_BLESSEDBLACK_MAGIC,Npc_HasItems(Trader,ITMW_2H_BLESSEDBLACK_MAGIC)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanAxe_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanAxe_01,Npc_HasItems(Trader,ItMw_2H_OrcHumanAxe_01)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanSword_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanSword_01,Npc_HasItems(Trader,ItMw_2H_OrcHumanSword_01)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanGreatAxe) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanGreatAxe,Npc_HasItems(Trader,ItMw_2H_OrcHumanGreatAxe)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanAxe_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanAxe_02,Npc_HasItems(Trader,ItMw_2H_OrcHumanAxe_02)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanSword_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanSword_02,Npc_HasItems(Trader,ItMw_2H_OrcHumanSword_02)); }; if(Npc_HasItems(Trader,ItMw_2H_OrcHumanDoppelAxe) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_OrcHumanDoppelAxe,Npc_HasItems(Trader,ItMw_2H_OrcHumanDoppelAxe)); }; if(Npc_HasItems(Trader,ITMW_2H_OrcHumanClaymore) > 0) { Npc_RemoveInvItems(Trader,ITMW_2H_OrcHumanClaymore,Npc_HasItems(Trader,ITMW_2H_OrcHumanClaymore)); }; if(Npc_HasItems(Trader,ITMW_ZWEIHAENDER5) > 0) { Npc_RemoveInvItems(Trader,ITMW_ZWEIHAENDER5,Npc_HasItems(Trader,ITMW_ZWEIHAENDER5)); }; if(Npc_HasItems(Trader,ITMW_ZWEIHAENDER6) > 0) { Npc_RemoveInvItems(Trader,ITMW_ZWEIHAENDER6,Npc_HasItems(Trader,ITMW_ZWEIHAENDER6)); }; if(Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_1) > 0) { Npc_RemoveInvItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_1,Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_1)); }; if(Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_2) > 0) { Npc_RemoveInvItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_2,Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_2)); }; if(Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_3) > 0) { Npc_RemoveInvItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_3,Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_3)); }; if(Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_4) > 0) { Npc_RemoveInvItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_4,Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_4)); }; if(Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_5) > 0) { Npc_RemoveInvItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_5,Npc_HasItems(Trader,ITMW_TAMPLIER_SPECIAL_2H_SWORD_5)); }; if(Npc_HasItems(Trader,ItMw_Iron_Dagger) > 0) { Npc_RemoveInvItems(Trader,ItMw_Iron_Dagger,Npc_HasItems(Trader,ItMw_Iron_Dagger)); }; if(Npc_HasItems(Trader,ItMw_Steel_Dagger) > 0) { Npc_RemoveInvItems(Trader,ItMw_Steel_Dagger,Npc_HasItems(Trader,ItMw_Steel_Dagger)); }; if(Npc_HasItems(Trader,ItMw_Speer) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer,Npc_HasItems(Trader,ItMw_Speer)); }; if(Npc_HasItems(Trader,ItMw_Speer_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_01,Npc_HasItems(Trader,ItMw_Speer_01)); }; if(Npc_HasItems(Trader,ItMw_Speer_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_02,Npc_HasItems(Trader,ItMw_Speer_02)); }; if(Npc_HasItems(Trader,ItMw_Speer_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_03,Npc_HasItems(Trader,ItMw_Speer_03)); }; if(Npc_HasItems(Trader,ItMw_Speer_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_04,Npc_HasItems(Trader,ItMw_Speer_04)); }; if(Npc_HasItems(Trader,ItMw_Speer_05) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_05,Npc_HasItems(Trader,ItMw_Speer_05)); }; if(Npc_HasItems(Trader,ItMw_Halleberde_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_Halleberde_01,Npc_HasItems(Trader,ItMw_Halleberde_01)); }; if(Npc_HasItems(Trader,ItMw_Halleberde_02) > 0) { Npc_RemoveInvItems(Trader,ItMw_Halleberde_02,Npc_HasItems(Trader,ItMw_Halleberde_02)); }; if(Npc_HasItems(Trader,ItMw_Halleberde_03) > 0) { Npc_RemoveInvItems(Trader,ItMw_Halleberde_03,Npc_HasItems(Trader,ItMw_Halleberde_03)); }; if(Npc_HasItems(Trader,ItMw_Halleberde_04) > 0) { Npc_RemoveInvItems(Trader,ItMw_Halleberde_04,Npc_HasItems(Trader,ItMw_Halleberde_04)); }; if(Npc_HasItems(Trader,ItMw_Axe_Blood) > 0) { Npc_RemoveInvItems(Trader,ItMw_Axe_Blood,Npc_HasItems(Trader,ItMw_Axe_Blood)); }; if(Npc_HasItems(Trader,ItMw_Sword_Blood) > 0) { Npc_RemoveInvItems(Trader,ItMw_Sword_Blood,Npc_HasItems(Trader,ItMw_Sword_Blood)); }; if(Npc_HasItems(Trader,ItMw_Speer_Blood) > 0) { Npc_RemoveInvItems(Trader,ItMw_Speer_Blood,Npc_HasItems(Trader,ItMw_Speer_Blood)); }; if(Npc_HasItems(Trader,ItMw_Staff_Blood) > 0) { Npc_RemoveInvItems(Trader,ItMw_Staff_Blood,Npc_HasItems(Trader,ItMw_Staff_Blood)); }; if(Npc_HasItems(Trader,ItMw_SwordSpear) > 0) { Npc_RemoveInvItems(Trader,ItMw_SwordSpear,Npc_HasItems(Trader,ItMw_SwordSpear)); }; if(Npc_HasItems(Trader,ItMw_HeavySwordSpear) > 0) { Npc_RemoveInvItems(Trader,ItMw_HeavySwordSpear,Npc_HasItems(Trader,ItMw_HeavySwordSpear)); }; if(Npc_HasItems(Trader,ItMw_ButcherSpeer) > 0) { Npc_RemoveInvItems(Trader,ItMw_ButcherSpeer,Npc_HasItems(Trader,ItMw_ButcherSpeer)); }; if(Npc_HasItems(Trader,ItMw_DemonSpear) > 0) { Npc_RemoveInvItems(Trader,ItMw_DemonSpear,Npc_HasItems(Trader,ItMw_DemonSpear)); }; if(Npc_HasItems(Trader,ITMW_1H_WOLF) > 0) { Npc_RemoveInvItems(Trader,ITMW_1H_WOLF,Npc_HasItems(Trader,ITMW_1H_WOLF)); }; if(Npc_HasItems(Trader,ItSc_Scarband_01) > 0) { Npc_RemoveInvItems(Trader,ItSc_Scarband_01,Npc_HasItems(Trader,ItSc_Scarband_01)); }; if(Npc_HasItems(Trader,ItMi_Addon_GoldNugget) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_GoldNugget,Npc_HasItems(Trader,ItMi_Addon_GoldNugget)); }; if(Npc_HasItems(Trader,ItMi_Osair_GoldNugget) > 0) { Npc_RemoveInvItems(Trader,ItMi_Osair_GoldNugget,Npc_HasItems(Trader,ItMi_Osair_GoldNugget)); }; if(Npc_HasItems(Trader,ItMi_Addon_WhitePearl) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_WhitePearl,Npc_HasItems(Trader,ItMi_Addon_WhitePearl)); }; if(Npc_HasItems(Trader,ITMI_SPECIALJOINT) > 0) { Npc_RemoveInvItems(Trader,ITMI_SPECIALJOINT,Npc_HasItems(Trader,ITMI_SPECIALJOINT)); }; if(Npc_HasItems(Trader,ItMi_BaltramPaket) > 0) { Npc_RemoveInvItems(Trader,ItMi_BaltramPaket,Npc_HasItems(Trader,ItMi_BaltramPaket)); }; if(Npc_HasItems(Trader,ItMi_Packet_Baltram4Skip_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMi_Packet_Baltram4Skip_Addon,Npc_HasItems(Trader,ItMi_Packet_Baltram4Skip_Addon)); }; if(Npc_HasItems(Trader,ItMi_BromorsGeld_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMi_BromorsGeld_Addon,Npc_HasItems(Trader,ItMi_BromorsGeld_Addon)); }; if(Npc_HasItems(Trader,ItSe_ADDON_CavalornsBeutel) > 0) { Npc_RemoveInvItems(Trader,ItSe_ADDON_CavalornsBeutel,Npc_HasItems(Trader,ItSe_ADDON_CavalornsBeutel)); }; if(Npc_HasItems(Trader,ItMi_Skull) > 0) { Npc_RemoveInvItems(Trader,ItMi_Skull,Npc_HasItems(Trader,ItMi_Skull)); }; if(Npc_HasItems(Trader,ItMi_IECello) > 0) { Npc_RemoveInvItems(Trader,ItMi_IECello,Npc_HasItems(Trader,ItMi_IECello)); }; if(Npc_HasItems(Trader,ItMi_IEDrum) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEDrum,Npc_HasItems(Trader,ItMi_IEDrum)); }; if(Npc_HasItems(Trader,ItMi_IEDrumScheit) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEDrumScheit,Npc_HasItems(Trader,ItMi_IEDrumScheit)); }; if(Npc_HasItems(Trader,ItMi_IEDrumStick) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEDrumStick,Npc_HasItems(Trader,ItMi_IEDrumStick)); }; if(Npc_HasItems(Trader,ItMi_IEDudelBlau) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEDudelBlau,Npc_HasItems(Trader,ItMi_IEDudelBlau)); }; if(Npc_HasItems(Trader,ItMi_IEDudelGelb) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEDudelGelb,Npc_HasItems(Trader,ItMi_IEDudelGelb)); }; if(Npc_HasItems(Trader,ItMi_IEHarfe) > 0) { Npc_RemoveInvItems(Trader,ItMi_IEHarfe,Npc_HasItems(Trader,ItMi_IEHarfe)); }; if(Npc_HasItems(Trader,ItMi_IELaute) > 0) { Npc_RemoveInvItems(Trader,ItMi_IELaute,Npc_HasItems(Trader,ItMi_IELaute)); }; if(Npc_HasItems(Trader,ItMi_Addon_Lennar_Paket) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Lennar_Paket,Npc_HasItems(Trader,ItMi_Addon_Lennar_Paket)); }; if(Npc_HasItems(Trader,ItMi_Zeitspalt_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMi_Zeitspalt_Addon,Npc_HasItems(Trader,ItMi_Zeitspalt_Addon)); }; if(Npc_HasItems(Trader,ItMi_MoonStone) > 0) { Npc_RemoveInvItems(Trader,ItMi_MoonStone,Npc_HasItems(Trader,ItMi_MoonStone)); }; if(Npc_HasItems(Trader,ItMi_Adamant) > 0) { Npc_RemoveInvItems(Trader,ItMi_Adamant,Npc_HasItems(Trader,ItMi_Adamant)); }; if(Npc_HasItems(Trader,ItMi_Addon_Joint_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Joint_01,Npc_HasItems(Trader,ItMi_Addon_Joint_01)); }; if(Npc_HasItems(Trader,ITMI_JOINT_02) > 0) { Npc_RemoveInvItems(Trader,ITMI_JOINT_02,Npc_HasItems(Trader,ITMI_JOINT_02)); }; if(Npc_HasItems(Trader,ITMI_JOINT_03) > 0) { Npc_RemoveInvItems(Trader,ITMI_JOINT_03,Npc_HasItems(Trader,ITMI_JOINT_03)); }; if(Npc_HasItems(Trader,ItMi_Stomper) > 0) { Npc_RemoveInvItems(Trader,ItMi_Stomper,Npc_HasItems(Trader,ItMi_Stomper)); }; if(Npc_HasItems(Trader,ITMI_BROTSCHIEBER) > 0) { Npc_RemoveInvItems(Trader,ITMI_BROTSCHIEBER,Npc_HasItems(Trader,ITMI_BROTSCHIEBER)); }; if(Npc_HasItems(Trader,ItMi_RuneBlank) > 0) { Npc_RemoveInvItems(Trader,ItMi_RuneBlank,Npc_HasItems(Trader,ItMi_RuneBlank)); }; if(Npc_HasItems(Trader,ItMi_PyroRune) > 0) { Npc_RemoveInvItems(Trader,ItMi_PyroRune,Npc_HasItems(Trader,ItMi_PyroRune)); }; if(Npc_HasItems(Trader,ItMi_GalomRuneBack) > 0) { Npc_RemoveInvItems(Trader,ItMi_GalomRuneBack,Npc_HasItems(Trader,ItMi_GalomRuneBack)); }; if(Npc_HasItems(Trader,ItMi_Pliers) > 0) { Npc_RemoveInvItems(Trader,ItMi_Pliers,Npc_HasItems(Trader,ItMi_Pliers)); }; if(Npc_HasItems(Trader,ItMi_AnvilPliers) > 0) { Npc_RemoveInvItems(Trader,ItMi_AnvilPliers,Npc_HasItems(Trader,ItMi_AnvilPliers)); }; if(Npc_HasItems(Trader,ItMi_Flask) > 0) { Npc_RemoveInvItems(Trader,ItMi_Flask,Npc_HasItems(Trader,ItMi_Flask)); }; if(Npc_HasItems(Trader,ItMi_Hammer) > 0) { Npc_RemoveInvItems(Trader,ItMi_Hammer,Npc_HasItems(Trader,ItMi_Hammer)); }; if(Npc_HasItems(Trader,ItMi_Scoop) > 0) { Npc_RemoveInvItems(Trader,ItMi_Scoop,Npc_HasItems(Trader,ItMi_Scoop)); }; if(Npc_HasItems(Trader,ItMi_Pan) > 0) { Npc_RemoveInvItems(Trader,ItMi_Pan,Npc_HasItems(Trader,ItMi_Pan)); }; if(Npc_HasItems(Trader,ItMi_PanFull) > 0) { Npc_RemoveInvItems(Trader,ItMi_PanFull,Npc_HasItems(Trader,ItMi_PanFull)); }; if(Npc_HasItems(Trader,ItMi_Saw) > 0) { Npc_RemoveInvItems(Trader,ItMi_Saw,Npc_HasItems(Trader,ItMi_Saw)); }; if(Npc_HasItems(Trader,ItMiSwordraw) > 0) { Npc_RemoveInvItems(Trader,ItMiSwordraw,Npc_HasItems(Trader,ItMiSwordraw)); }; if(Npc_HasItems(Trader,ITMISWORDRAWHOT_1) > 0) { Npc_RemoveInvItems(Trader,ITMISWORDRAWHOT_1,Npc_HasItems(Trader,ITMISWORDRAWHOT_1)); }; if(Npc_HasItems(Trader,ItMiSwordbladehot) > 0) { Npc_RemoveInvItems(Trader,ItMiSwordbladehot,Npc_HasItems(Trader,ItMiSwordbladehot)); }; if(Npc_HasItems(Trader,ITMISWORDBLADE_1) > 0) { Npc_RemoveInvItems(Trader,ITMISWORDBLADE_1,Npc_HasItems(Trader,ITMISWORDBLADE_1)); }; if(Npc_HasItems(Trader,ItMi_Broom) > 0) { Npc_RemoveInvItems(Trader,ItMi_Broom,Npc_HasItems(Trader,ItMi_Broom)); }; if(Npc_HasItems(Trader,ItMi_Lute) > 0) { Npc_RemoveInvItems(Trader,ItMi_Lute,Npc_HasItems(Trader,ItMi_Lute)); }; if(Npc_HasItems(Trader,ItMi_Brush) > 0) { Npc_RemoveInvItems(Trader,ItMi_Brush,Npc_HasItems(Trader,ItMi_Brush)); }; if(Npc_HasItems(Trader,ItMi_Smoke_Pipe) > 0) { Npc_RemoveInvItems(Trader,ItMi_Smoke_Pipe,Npc_HasItems(Trader,ItMi_Smoke_Pipe)); }; if(Npc_HasItems(Trader,ItMi_Joint) > 0) { Npc_RemoveInvItems(Trader,ItMi_Joint,Npc_HasItems(Trader,ItMi_Joint)); }; if(Npc_HasItems(Trader,ITMI_REDJOINT) > 0) { Npc_RemoveInvItems(Trader,ITMI_REDJOINT,Npc_HasItems(Trader,ITMI_REDJOINT)); }; if(Npc_HasItems(Trader,ItMi_Packet) > 0) { Npc_RemoveInvItems(Trader,ItMi_Packet,Npc_HasItems(Trader,ItMi_Packet)); }; if(Npc_HasItems(Trader,ItMi_VatrasPacket) > 0) { Npc_RemoveInvItems(Trader,ItMi_VatrasPacket,Npc_HasItems(Trader,ItMi_VatrasPacket)); }; if(Npc_HasItems(Trader,ItMi_Pocket) > 0) { Npc_RemoveInvItems(Trader,ItMi_Pocket,Npc_HasItems(Trader,ItMi_Pocket)); }; if(Npc_HasItems(Trader,ItMi_Nugget) > 0) { Npc_RemoveInvItems(Trader,ItMi_Nugget,Npc_HasItems(Trader,ItMi_Nugget)); }; if(Npc_HasItems(Trader,ItMi_IronStuck) > 0) { Npc_RemoveInvItems(Trader,ItMi_IronStuck,Npc_HasItems(Trader,ItMi_IronStuck)); }; if(Npc_HasItems(Trader,ItMi_StuckGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_StuckGold,Npc_HasItems(Trader,ItMi_StuckGold)); }; if(Npc_HasItems(Trader,ItMi_OreStuck) > 0) { Npc_RemoveInvItems(Trader,ItMi_OreStuck,Npc_HasItems(Trader,ItMi_OreStuck)); }; if(Npc_HasItems(Trader,ITMI_SNUGGET) > 0) { Npc_RemoveInvItems(Trader,ITMI_SNUGGET,Npc_HasItems(Trader,ITMI_SNUGGET)); }; if(Npc_HasItems(Trader,ITMI_TESTNUGGET) > 0) { Npc_RemoveInvItems(Trader,ITMI_TESTNUGGET,Npc_HasItems(Trader,ITMI_TESTNUGGET)); }; if(Npc_HasItems(Trader,ItMi_Gold) > 0) { Npc_RemoveInvItems(Trader,ItMi_Gold,Npc_HasItems(Trader,ItMi_Gold)); }; if(Npc_HasItems(Trader,ItMi_OldCoin) > 0) { Npc_RemoveInvItems(Trader,ItMi_OldCoin,Npc_HasItems(Trader,ItMi_OldCoin)); }; if(Npc_HasItems(Trader,ITMI_BELIAR_GOLD) > 0) { Npc_RemoveInvItems(Trader,ITMI_BELIAR_GOLD,Npc_HasItems(Trader,ITMI_BELIAR_GOLD)); }; if(Npc_HasItems(Trader,ItMi_HolderGoldCandle) > 0) { Npc_RemoveInvItems(Trader,ItMi_HolderGoldCandle,Npc_HasItems(Trader,ItMi_HolderGoldCandle)); }; if(Npc_HasItems(Trader,ItMi_NecklaceGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_NecklaceGold,Npc_HasItems(Trader,ItMi_NecklaceGold)); }; if(Npc_HasItems(Trader,ItMi_SilverRing) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverRing,Npc_HasItems(Trader,ItMi_SilverRing)); }; if(Npc_HasItems(Trader,ItMi_SilverCup) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverCup,Npc_HasItems(Trader,ItMi_SilverCup)); }; if(Npc_HasItems(Trader,ItMi_SilverPlate) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverPlate,Npc_HasItems(Trader,ItMi_SilverPlate)); }; if(Npc_HasItems(Trader,ItMi_PlateGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_PlateGold,Npc_HasItems(Trader,ItMi_PlateGold)); }; if(Npc_HasItems(Trader,ItMi_CupGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_CupGold,Npc_HasItems(Trader,ItMi_CupGold)); }; if(Npc_HasItems(Trader,ItMi_HarimCup) > 0) { Npc_RemoveInvItems(Trader,ItMi_HarimCup,Npc_HasItems(Trader,ItMi_HarimCup)); }; if(Npc_HasItems(Trader,ITMI_GOMEZGOLDCUP) > 0) { Npc_RemoveInvItems(Trader,ITMI_GOMEZGOLDCUP,Npc_HasItems(Trader,ITMI_GOMEZGOLDCUP)); }; if(Npc_HasItems(Trader,ItMi_ZloodCup_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_ZloodCup_MIS,Npc_HasItems(Trader,ItMi_ZloodCup_MIS)); }; if(Npc_HasItems(Trader,ItMi_RingGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_RingGold,Npc_HasItems(Trader,ItMi_RingGold)); }; if(Npc_HasItems(Trader,ITMI_RAVENGOLDRING) > 0) { Npc_RemoveInvItems(Trader,ITMI_RAVENGOLDRING,Npc_HasItems(Trader,ITMI_RAVENGOLDRING)); }; if(Npc_HasItems(Trader,ItMi_SilverChalice) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverChalice,Npc_HasItems(Trader,ItMi_SilverChalice)); }; if(Npc_HasItems(Trader,ItMi_ChaliceGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_ChaliceGold,Npc_HasItems(Trader,ItMi_ChaliceGold)); }; if(Npc_HasItems(Trader,ItMi_ChestGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_ChestGold,Npc_HasItems(Trader,ItMi_ChestGold)); }; if(Npc_HasItems(Trader,ItMi_JeweleryChest) > 0) { Npc_RemoveInvItems(Trader,ItMi_JeweleryChest,Npc_HasItems(Trader,ItMi_JeweleryChest)); }; if(Npc_HasItems(Trader,ITMI_CHEST_EMPTYGOLD) > 0) { Npc_RemoveInvItems(Trader,ITMI_CHEST_EMPTYGOLD,Npc_HasItems(Trader,ITMI_CHEST_EMPTYGOLD)); }; if(Npc_HasItems(Trader,ITMI_JEWELERYCHEST_EMPTY) > 0) { Npc_RemoveInvItems(Trader,ITMI_JEWELERYCHEST_EMPTY,Npc_HasItems(Trader,ITMI_JEWELERYCHEST_EMPTY)); }; if(Npc_HasItems(Trader,ItMi_InnosStatue) > 0) { Npc_RemoveInvItems(Trader,ItMi_InnosStatue,Npc_HasItems(Trader,ItMi_InnosStatue)); }; if(Npc_HasItems(Trader,ItMi_Statue_Demon_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_Statue_Demon_01,Npc_HasItems(Trader,ItMi_Statue_Demon_01)); }; if(Npc_HasItems(Trader,ITMI_ANTIENTSTATUE) > 0) { Npc_RemoveInvItems(Trader,ITMI_ANTIENTSTATUE,Npc_HasItems(Trader,ITMI_ANTIENTSTATUE)); }; if(Npc_HasItems(Trader,ITMI_INNOSMRAMORSTATUE) > 0) { Npc_RemoveInvItems(Trader,ITMI_INNOSMRAMORSTATUE,Npc_HasItems(Trader,ITMI_INNOSMRAMORSTATUE)); }; if(Npc_HasItems(Trader,ItMi_Sextant) > 0) { Npc_RemoveInvItems(Trader,ItMi_Sextant,Npc_HasItems(Trader,ItMi_Sextant)); }; if(Npc_HasItems(Trader,ItMi_SilverCandleHolder) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverCandleHolder,Npc_HasItems(Trader,ItMi_SilverCandleHolder)); }; if(Npc_HasItems(Trader,ItMi_SilverNecklace) > 0) { Npc_RemoveInvItems(Trader,ItMi_SilverNecklace,Npc_HasItems(Trader,ItMi_SilverNecklace)); }; if(Npc_HasItems(Trader,ItMi_Sulfur) > 0) { Npc_RemoveInvItems(Trader,ItMi_Sulfur,Npc_HasItems(Trader,ItMi_Sulfur)); }; if(Npc_HasItems(Trader,ItMi_Quartz) > 0) { Npc_RemoveInvItems(Trader,ItMi_Quartz,Npc_HasItems(Trader,ItMi_Quartz)); }; if(Npc_HasItems(Trader,ItMi_Pitch) > 0) { Npc_RemoveInvItems(Trader,ItMi_Pitch,Npc_HasItems(Trader,ItMi_Pitch)); }; if(Npc_HasItems(Trader,ItMi_Rockcrystal) > 0) { Npc_RemoveInvItems(Trader,ItMi_Rockcrystal,Npc_HasItems(Trader,ItMi_Rockcrystal)); }; if(Npc_HasItems(Trader,ItMi_Aquamarine) > 0) { Npc_RemoveInvItems(Trader,ItMi_Aquamarine,Npc_HasItems(Trader,ItMi_Aquamarine)); }; if(Npc_HasItems(Trader,ItMi_HolyWater) > 0) { Npc_RemoveInvItems(Trader,ItMi_HolyWater,Npc_HasItems(Trader,ItMi_HolyWater)); }; if(Npc_HasItems(Trader,ItMi_Coal) > 0) { Npc_RemoveInvItems(Trader,ItMi_Coal,Npc_HasItems(Trader,ItMi_Coal)); }; if(Npc_HasItems(Trader,ItMi_DarkPearl) > 0) { Npc_RemoveInvItems(Trader,ItMi_DarkPearl,Npc_HasItems(Trader,ItMi_DarkPearl)); }; if(Npc_HasItems(Trader,ItMi_ApfelTabak) > 0) { Npc_RemoveInvItems(Trader,ItMi_ApfelTabak,Npc_HasItems(Trader,ItMi_ApfelTabak)); }; if(Npc_HasItems(Trader,ItMi_PilzTabak) > 0) { Npc_RemoveInvItems(Trader,ItMi_PilzTabak,Npc_HasItems(Trader,ItMi_PilzTabak)); }; if(Npc_HasItems(Trader,ItMi_DoppelTabak) > 0) { Npc_RemoveInvItems(Trader,ItMi_DoppelTabak,Npc_HasItems(Trader,ItMi_DoppelTabak)); }; if(Npc_HasItems(Trader,ItMi_Honigtabak) > 0) { Npc_RemoveInvItems(Trader,ItMi_Honigtabak,Npc_HasItems(Trader,ItMi_Honigtabak)); }; if(Npc_HasItems(Trader,ItMi_SumpfTabak) > 0) { Npc_RemoveInvItems(Trader,ItMi_SumpfTabak,Npc_HasItems(Trader,ItMi_SumpfTabak)); }; if(Npc_HasItems(Trader,ItMi_Hasish) > 0) { Npc_RemoveInvItems(Trader,ItMi_Hasish,Npc_HasItems(Trader,ItMi_Hasish)); }; if(Npc_HasItems(Trader,ITMI_QUICKSILVER) > 0) { Npc_RemoveInvItems(Trader,ITMI_QUICKSILVER,Npc_HasItems(Trader,ITMI_QUICKSILVER)); }; if(Npc_HasItems(Trader,ITMI_HORN) > 0) { Npc_RemoveInvItems(Trader,ITMI_HORN,Npc_HasItems(Trader,ITMI_HORN)); }; if(Npc_HasItems(Trader,ITMI_ORCRING) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCRING,Npc_HasItems(Trader,ITMI_ORCRING)); }; if(Npc_HasItems(Trader,ITMI_ORCSTAFF) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCSTAFF,Npc_HasItems(Trader,ITMI_ORCSTAFF)); }; if(Npc_HasItems(Trader,ITMI_ORCAMULET) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCAMULET,Npc_HasItems(Trader,ITMI_ORCAMULET)); }; if(Npc_HasItems(Trader,ITMI_ORCAMULET_VANHAN) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCAMULET_VANHAN,Npc_HasItems(Trader,ITMI_ORCAMULET_VANHAN)); }; if(Npc_HasItems(Trader,ITMI_IDOL_01) > 0) { Npc_RemoveInvItems(Trader,ITMI_IDOL_01,Npc_HasItems(Trader,ITMI_IDOL_01)); }; if(Npc_HasItems(Trader,ITMI_IDOL_02) > 0) { Npc_RemoveInvItems(Trader,ITMI_IDOL_02,Npc_HasItems(Trader,ITMI_IDOL_02)); }; if(Npc_HasItems(Trader,ITMI_IDOL_03) > 0) { Npc_RemoveInvItems(Trader,ITMI_IDOL_03,Npc_HasItems(Trader,ITMI_IDOL_03)); }; if(Npc_HasItems(Trader,ITMI_CRYSTALBLACK) > 0) { Npc_RemoveInvItems(Trader,ITMI_CRYSTALBLACK,Npc_HasItems(Trader,ITMI_CRYSTALBLACK)); }; if(Npc_HasItems(Trader,ITMI_1_ORCPORTALSTONE) > 0) { Npc_RemoveInvItems(Trader,ITMI_1_ORCPORTALSTONE,Npc_HasItems(Trader,ITMI_1_ORCPORTALSTONE)); }; if(Npc_HasItems(Trader,ITMI_2_ORCPORTALSTONE) > 0) { Npc_RemoveInvItems(Trader,ITMI_2_ORCPORTALSTONE,Npc_HasItems(Trader,ITMI_2_ORCPORTALSTONE)); }; if(Npc_HasItems(Trader,ITMI_DRAGONGOLDFOCUS) > 0) { Npc_RemoveInvItems(Trader,ITMI_DRAGONGOLDFOCUS,Npc_HasItems(Trader,ITMI_DRAGONGOLDFOCUS)); }; if(Npc_HasItems(Trader,ITMI_FISKPACKET) > 0) { Npc_RemoveInvItems(Trader,ITMI_FISKPACKET,Npc_HasItems(Trader,ITMI_FISKPACKET)); }; if(Npc_HasItems(Trader,ITMI_COALBAG) > 0) { Npc_RemoveInvItems(Trader,ITMI_COALBAG,Npc_HasItems(Trader,ITMI_COALBAG)); }; if(Npc_HasItems(Trader,ITMI_ALEFNUGGETSBAG) > 0) { Npc_RemoveInvItems(Trader,ITMI_ALEFNUGGETSBAG,Npc_HasItems(Trader,ITMI_ALEFNUGGETSBAG)); }; if(Npc_HasItems(Trader,ITMI_FIRESHPERE) > 0) { Npc_RemoveInvItems(Trader,ITMI_FIRESHPERE,Npc_HasItems(Trader,ITMI_FIRESHPERE)); }; if(Npc_HasItems(Trader,ITMI_WATERSHPERE) > 0) { Npc_RemoveInvItems(Trader,ITMI_WATERSHPERE,Npc_HasItems(Trader,ITMI_WATERSHPERE)); }; if(Npc_HasItems(Trader,ITMI_STONESHPERE) > 0) { Npc_RemoveInvItems(Trader,ITMI_STONESHPERE,Npc_HasItems(Trader,ITMI_STONESHPERE)); }; if(Npc_HasItems(Trader,ITMI_DARKSHPERE) > 0) { Npc_RemoveInvItems(Trader,ITMI_DARKSHPERE,Npc_HasItems(Trader,ITMI_DARKSHPERE)); }; if(Npc_HasItems(Trader,ITMI_TRIRAMAR) > 0) { Npc_RemoveInvItems(Trader,ITMI_TRIRAMAR,Npc_HasItems(Trader,ITMI_TRIRAMAR)); }; if(Npc_HasItems(Trader,ITMI_PALADINCHEST) > 0) { Npc_RemoveInvItems(Trader,ITMI_PALADINCHEST,Npc_HasItems(Trader,ITMI_PALADINCHEST)); }; if(Npc_HasItems(Trader,ITMI_DRAGONGOLDGORN) > 0) { Npc_RemoveInvItems(Trader,ITMI_DRAGONGOLDGORN,Npc_HasItems(Trader,ITMI_DRAGONGOLDGORN)); }; if(Npc_HasItems(Trader,ITMI_STONESOUL) > 0) { Npc_RemoveInvItems(Trader,ITMI_STONESOUL,Npc_HasItems(Trader,ITMI_STONESOUL)); }; if(Npc_HasItems(Trader,ITMI_BENGARPACKET) > 0) { Npc_RemoveInvItems(Trader,ITMI_BENGARPACKET,Npc_HasItems(Trader,ITMI_BENGARPACKET)); }; if(Npc_HasItems(Trader,ITMI_BLACKBRENDI) > 0) { Npc_RemoveInvItems(Trader,ITMI_BLACKBRENDI,Npc_HasItems(Trader,ITMI_BLACKBRENDI)); }; if(Npc_HasItems(Trader,ITMI_HANNAGOLDNECKLACE) > 0) { Npc_RemoveInvItems(Trader,ITMI_HANNAGOLDNECKLACE,Npc_HasItems(Trader,ITMI_HANNAGOLDNECKLACE)); }; if(Npc_HasItems(Trader,ItMi_Salt) > 0) { Npc_RemoveInvItems(Trader,ItMi_Salt,Npc_HasItems(Trader,ItMi_Salt)); }; if(Npc_HasItems(Trader,ITMI_SLEEPSACK) > 0) { Npc_RemoveInvItems(Trader,ITMI_SLEEPSACK,Npc_HasItems(Trader,ITMI_SLEEPSACK)); }; if(Npc_HasItems(Trader,ITMI_SLEEPSACK_TEMP) > 0) { Npc_RemoveInvItems(Trader,ITMI_SLEEPSACK_TEMP,Npc_HasItems(Trader,ITMI_SLEEPSACK_TEMP)); }; if(Npc_HasItems(Trader,ItAr_Hut) > 0) { Npc_RemoveInvItems(Trader,ItAr_Hut,Npc_HasItems(Trader,ItAr_Hut)); }; if(Npc_HasItems(Trader,ItAr_ThiefHut) > 0) { Npc_RemoveInvItems(Trader,ItAr_ThiefHut,Npc_HasItems(Trader,ItAr_ThiefHut)); }; if(Npc_HasItems(Trader,ItAr_PirateHat) > 0) { Npc_RemoveInvItems(Trader,ItAr_PirateHat,Npc_HasItems(Trader,ItAr_PirateHat)); }; if(Npc_HasItems(Trader,ItAr_Helm_01) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_01,Npc_HasItems(Trader,ItAr_Helm_01)); }; if(Npc_HasItems(Trader,ItAr_Helm_New_01) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_New_01,Npc_HasItems(Trader,ItAr_Helm_New_01)); }; if(Npc_HasItems(Trader,ItAr_Helm_New_02) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_New_02,Npc_HasItems(Trader,ItAr_Helm_New_02)); }; if(Npc_HasItems(Trader,ItAr_Helm_02) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_02,Npc_HasItems(Trader,ItAr_Helm_02)); }; if(Npc_HasItems(Trader,ItAr_Helm_Hunt) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Hunt,Npc_HasItems(Trader,ItAr_Helm_Hunt)); }; if(Npc_HasItems(Trader,ItAr_Helm_03) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_03,Npc_HasItems(Trader,ItAr_Helm_03)); }; if(Npc_HasItems(Trader,ItAr_Pal_Helm) > 0) { Npc_RemoveInvItems(Trader,ItAr_Pal_Helm,Npc_HasItems(Trader,ItAr_Pal_Helm)); }; if(Npc_HasItems(Trader,ItAr_Pal_Helm_Open) > 0) { Npc_RemoveInvItems(Trader,ItAr_Pal_Helm_Open,Npc_HasItems(Trader,ItAr_Pal_Helm_Open)); }; if(Npc_HasItems(Trader,ItAr_DJG_Helm) > 0) { Npc_RemoveInvItems(Trader,ItAr_DJG_Helm,Npc_HasItems(Trader,ItAr_DJG_Helm)); }; if(Npc_HasItems(Trader,ItAr_Helm_Demon) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Demon,Npc_HasItems(Trader,ItAr_Helm_Demon)); }; if(Npc_HasItems(Trader,G3_ARMOR_HELMET_CRONE) > 0) { Npc_RemoveInvItems(Trader,G3_ARMOR_HELMET_CRONE,Npc_HasItems(Trader,G3_ARMOR_HELMET_CRONE)); }; if(Npc_HasItems(Trader,ItAr_God_Helm) > 0) { Npc_RemoveInvItems(Trader,ItAr_God_Helm,Npc_HasItems(Trader,ItAr_God_Helm)); }; if(Npc_HasItems(Trader,ITMI_SLEEPERHELM) > 0) { Npc_RemoveInvItems(Trader,ITMI_SLEEPERHELM,Npc_HasItems(Trader,ITMI_SLEEPERHELM)); }; if(Npc_HasItems(Trader,ITMI_HELMSLEEPER_MIS) > 0) { Npc_RemoveInvItems(Trader,ITMI_HELMSLEEPER_MIS,Npc_HasItems(Trader,ITMI_HELMSLEEPER_MIS)); }; if(Npc_HasItems(Trader,ITMI_KOMPAS) > 0) { Npc_RemoveInvItems(Trader,ITMI_KOMPAS,Npc_HasItems(Trader,ITMI_KOMPAS)); }; if(Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_01) > 0) { Npc_RemoveInvItems(Trader,ITMI_FALKGRANDFATHERITEM_01,Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_01)); }; if(Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_02) > 0) { Npc_RemoveInvItems(Trader,ITMI_FALKGRANDFATHERITEM_02,Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_02)); }; if(Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_03) > 0) { Npc_RemoveInvItems(Trader,ITMI_FALKGRANDFATHERITEM_03,Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_03)); }; if(Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_04) > 0) { Npc_RemoveInvItems(Trader,ITMI_FALKGRANDFATHERITEM_04,Npc_HasItems(Trader,ITMI_FALKGRANDFATHERITEM_04)); }; if(Npc_HasItems(Trader,ITMI_STUFF_GEARWHEEL_01) > 0) { Npc_RemoveInvItems(Trader,ITMI_STUFF_GEARWHEEL_01,Npc_HasItems(Trader,ITMI_STUFF_GEARWHEEL_01)); }; if(Npc_HasItems(Trader,ITMI_STUFF_GEARWHEEL_02) > 0) { Npc_RemoveInvItems(Trader,ITMI_STUFF_GEARWHEEL_02,Npc_HasItems(Trader,ITMI_STUFF_GEARWHEEL_02)); }; if(Npc_HasItems(Trader,ITMI_MISSTORLOFTHING) > 0) { Npc_RemoveInvItems(Trader,ITMI_MISSTORLOFTHING,Npc_HasItems(Trader,ITMI_MISSTORLOFTHING)); }; if(Npc_HasItems(Trader,ITMI_NERGALCORPSE) > 0) { Npc_RemoveInvItems(Trader,ITMI_NERGALCORPSE,Npc_HasItems(Trader,ITMI_NERGALCORPSE)); }; if(Npc_HasItems(Trader,ITMI_ZOMBIECORPSE) > 0) { Npc_RemoveInvItems(Trader,ITMI_ZOMBIECORPSE,Npc_HasItems(Trader,ITMI_ZOMBIECORPSE)); }; if(Npc_HasItems(Trader,ITMI_PLAZMA) > 0) { Npc_RemoveInvItems(Trader,ITMI_PLAZMA,Npc_HasItems(Trader,ITMI_PLAZMA)); }; if(Npc_HasItems(Trader,ITMI_GADERSTONE) > 0) { Npc_RemoveInvItems(Trader,ITMI_GADERSTONE,Npc_HasItems(Trader,ITMI_GADERSTONE)); }; if(Npc_HasItems(Trader,ITMI_WATERCRYSTAL) > 0) { Npc_RemoveInvItems(Trader,ITMI_WATERCRYSTAL,Npc_HasItems(Trader,ITMI_WATERCRYSTAL)); }; if(Npc_HasItems(Trader,ITMI_PIECEDARKGOLEM) > 0) { Npc_RemoveInvItems(Trader,ITMI_PIECEDARKGOLEM,Npc_HasItems(Trader,ITMI_PIECEDARKGOLEM)); }; if(Npc_HasItems(Trader,ITMI_ORCMAINTOTEM) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCMAINTOTEM,Npc_HasItems(Trader,ITMI_ORCMAINTOTEM)); }; if(Npc_HasItems(Trader,ItMi_GrahShar) > 0) { Npc_RemoveInvItems(Trader,ItMi_GrahShar,Npc_HasItems(Trader,ItMi_GrahShar)); }; if(Npc_HasItems(Trader,ITMI_POISONBOTTLE) > 0) { Npc_RemoveInvItems(Trader,ITMI_POISONBOTTLE,Npc_HasItems(Trader,ITMI_POISONBOTTLE)); }; if(Npc_HasItems(Trader,ITMI_ADANOSAMULET) > 0) { Npc_RemoveInvItems(Trader,ITMI_ADANOSAMULET,Npc_HasItems(Trader,ITMI_ADANOSAMULET)); }; if(Npc_HasItems(Trader,ITMI_ORCWARHORN) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCWARHORN,Npc_HasItems(Trader,ITMI_ORCWARHORN)); }; if(Npc_HasItems(Trader,ItMi_MagicOrePliers) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOrePliers,Npc_HasItems(Trader,ItMi_MagicOrePliers)); }; if(Npc_HasItems(Trader,ItMi_MagicOreRaw_5) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOreRaw_5,Npc_HasItems(Trader,ItMi_MagicOreRaw_5)); }; if(Npc_HasItems(Trader,ItMi_MagicOreRaw_4) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOreRaw_4,Npc_HasItems(Trader,ItMi_MagicOreRaw_4)); }; if(Npc_HasItems(Trader,ItMi_MagicOreRaw_3) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOreRaw_3,Npc_HasItems(Trader,ItMi_MagicOreRaw_3)); }; if(Npc_HasItems(Trader,ItMi_MagicOreRaw_2) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOreRaw_2,Npc_HasItems(Trader,ItMi_MagicOreRaw_2)); }; if(Npc_HasItems(Trader,ItMi_MagicOreRaw_1) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicOreRaw_1,Npc_HasItems(Trader,ItMi_MagicOreRaw_1)); }; if(Npc_HasItems(Trader,ItWr_DragNimrod) > 0) { Npc_RemoveInvItems(Trader,ItWr_DragNimrod,Npc_HasItems(Trader,ItWr_DragNimrod)); }; if(Npc_HasItems(Trader,ITMI_SeekerSoul) > 0) { Npc_RemoveInvItems(Trader,ITMI_SeekerSoul,Npc_HasItems(Trader,ITMI_SeekerSoul)); }; if(Npc_HasItems(Trader,ITMI_NOVMATERIAL) > 0) { Npc_RemoveInvItems(Trader,ITMI_NOVMATERIAL,Npc_HasItems(Trader,ITMI_NOVMATERIAL)); }; if(Npc_HasItems(Trader,ItMi_AssGoldPocket) > 0) { Npc_RemoveInvItems(Trader,ItMi_AssGoldPocket,Npc_HasItems(Trader,ItMi_AssGoldPocket)); }; if(Npc_HasItems(Trader,ItMi_HasimAmuls) > 0) { Npc_RemoveInvItems(Trader,ItMi_HasimAmuls,Npc_HasItems(Trader,ItMi_HasimAmuls)); }; if(Npc_HasItems(Trader,ItMi_PacketColesulfur) > 0) { Npc_RemoveInvItems(Trader,ItMi_PacketColesulfur,Npc_HasItems(Trader,ItMi_PacketColesulfur)); }; if(Npc_HasItems(Trader,ItMi_SulfurMuttonRaw) > 0) { Npc_RemoveInvItems(Trader,ItMi_SulfurMuttonRaw,Npc_HasItems(Trader,ItMi_SulfurMuttonRaw)); }; if(Npc_HasItems(Trader,ItMi_Feder) > 0) { Npc_RemoveInvItems(Trader,ItMi_Feder,Npc_HasItems(Trader,ItMi_Feder)); }; if(Npc_HasItems(Trader,ItMi_HarpyFeder) > 0) { Npc_RemoveInvItems(Trader,ItMi_HarpyFeder,Npc_HasItems(Trader,ItMi_HarpyFeder)); }; if(Npc_HasItems(Trader,ItMi_Palette) > 0) { Npc_RemoveInvItems(Trader,ItMi_Palette,Npc_HasItems(Trader,ItMi_Palette)); }; if(Npc_HasItems(Trader,ItMi_Pinsel) > 0) { Npc_RemoveInvItems(Trader,ItMi_Pinsel,Npc_HasItems(Trader,ItMi_Pinsel)); }; if(Npc_HasItems(Trader,ItMi_Bottle_Empty) > 0) { Npc_RemoveInvItems(Trader,ItMi_Bottle_Empty,Npc_HasItems(Trader,ItMi_Bottle_Empty)); }; if(Npc_HasItems(Trader,ItWr_CroneAdanos) > 0) { Npc_RemoveInvItems(Trader,ItWr_CroneAdanos,Npc_HasItems(Trader,ItWr_CroneAdanos)); }; if(Npc_HasItems(Trader,ItWr_AdanosCrone_Ready) > 0) { Npc_RemoveInvItems(Trader,ItWr_AdanosCrone_Ready,Npc_HasItems(Trader,ItWr_AdanosCrone_Ready)); }; if(Npc_HasItems(Trader,ItMi_PortalRuneAdanos) > 0) { Npc_RemoveInvItems(Trader,ItMi_PortalRuneAdanos,Npc_HasItems(Trader,ItMi_PortalRuneAdanos)); }; if(Npc_HasItems(Trader,ItWr_StoneAdanosPortal) > 0) { Npc_RemoveInvItems(Trader,ItWr_StoneAdanosPortal,Npc_HasItems(Trader,ItWr_StoneAdanosPortal)); }; if(Npc_HasItems(Trader,ItMi_XoD_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_XoD_01,Npc_HasItems(Trader,ItMi_XoD_01)); }; if(Npc_HasItems(Trader,ItMi_YoD_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_YoD_02,Npc_HasItems(Trader,ItMi_YoD_02)); }; if(Npc_HasItems(Trader,ItMi_ZoD_03) > 0) { Npc_RemoveInvItems(Trader,ItMi_ZoD_03,Npc_HasItems(Trader,ItMi_ZoD_03)); }; if(Npc_HasItems(Trader,ItMi_UoD_04) > 0) { Npc_RemoveInvItems(Trader,ItMi_UoD_04,Npc_HasItems(Trader,ItMi_UoD_04)); }; if(Npc_HasItems(Trader,ItMi_AdanosTear) > 0) { Npc_RemoveInvItems(Trader,ItMi_AdanosTear,Npc_HasItems(Trader,ItMi_AdanosTear)); }; if(Npc_HasItems(Trader,ItRi_GoldSkipetr_NoMagic) > 0) { Npc_RemoveInvItems(Trader,ItRi_GoldSkipetr_NoMagic,Npc_HasItems(Trader,ItRi_GoldSkipetr_NoMagic)); }; if(Npc_HasItems(Trader,ItRi_AdanosGoldSkipetr) > 0) { Npc_RemoveInvItems(Trader,ItRi_AdanosGoldSkipetr,Npc_HasItems(Trader,ItRi_AdanosGoldSkipetr)); }; if(Npc_HasItems(Trader,ItMi_XunePart_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_XunePart_01,Npc_HasItems(Trader,ItMi_XunePart_01)); }; if(Npc_HasItems(Trader,ItMi_ZunePart_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_ZunePart_02,Npc_HasItems(Trader,ItMi_ZunePart_02)); }; if(Npc_HasItems(Trader,ItMi_YunePart_03) > 0) { Npc_RemoveInvItems(Trader,ItMi_YunePart_03,Npc_HasItems(Trader,ItMi_YunePart_03)); }; if(Npc_HasItems(Trader,ItMi_WunePart_04) > 0) { Npc_RemoveInvItems(Trader,ItMi_WunePart_04,Npc_HasItems(Trader,ItMi_WunePart_04)); }; if(Npc_HasItems(Trader,ItMi_UunePart_05) > 0) { Npc_RemoveInvItems(Trader,ItMi_UunePart_05,Npc_HasItems(Trader,ItMi_UunePart_05)); }; if(Npc_HasItems(Trader,ItMi_DuneAdanos) > 0) { Npc_RemoveInvItems(Trader,ItMi_DuneAdanos,Npc_HasItems(Trader,ItMi_DuneAdanos)); }; if(Npc_HasItems(Trader,ItMi_GuneAdanos_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_GuneAdanos_02,Npc_HasItems(Trader,ItMi_GuneAdanos_02)); }; if(Npc_HasItems(Trader,ItMi_LuneAdanos_Full) > 0) { Npc_RemoveInvItems(Trader,ItMi_LuneAdanos_Full,Npc_HasItems(Trader,ItMi_LuneAdanos_Full)); }; if(Npc_HasItems(Trader,ItMi_TearsRune) > 0) { Npc_RemoveInvItems(Trader,ItMi_TearsRune,Npc_HasItems(Trader,ItMi_TearsRune)); }; if(Npc_HasItems(Trader,ItMi_BlackOrcTalisman) > 0) { Npc_RemoveInvItems(Trader,ItMi_BlackOrcTalisman,Npc_HasItems(Trader,ItMi_BlackOrcTalisman)); }; if(Npc_HasItems(Trader,ItMi_HuntSign) > 0) { Npc_RemoveInvItems(Trader,ItMi_HuntSign,Npc_HasItems(Trader,ItMi_HuntSign)); }; if(Npc_HasItems(Trader,ItMi_BukTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_BukTree,Npc_HasItems(Trader,ItMi_BukTree)); }; if(Npc_HasItems(Trader,ItMi_Buk_Arbalet) > 0) { Npc_RemoveInvItems(Trader,ItMi_Buk_Arbalet,Npc_HasItems(Trader,ItMi_Buk_Arbalet)); }; if(Npc_HasItems(Trader,ItAt_BlackTrollHorn) > 0) { Npc_RemoveInvItems(Trader,ItAt_BlackTrollHorn,Npc_HasItems(Trader,ItAt_BlackTrollHorn)); }; if(Npc_HasItems(Trader,ItAt_PumaMuscle) > 0) { Npc_RemoveInvItems(Trader,ItAt_PumaMuscle,Npc_HasItems(Trader,ItAt_PumaMuscle)); }; if(Npc_HasItems(Trader,ItAt_PumaMuscle_Jir) > 0) { Npc_RemoveInvItems(Trader,ItAt_PumaMuscle_Jir,Npc_HasItems(Trader,ItAt_PumaMuscle_Jir)); }; if(Npc_HasItems(Trader,ItWr_OldTextMine) > 0) { Npc_RemoveInvItems(Trader,ItWr_OldTextMine,Npc_HasItems(Trader,ItWr_OldTextMine)); }; if(Npc_HasItems(Trader,ItMi_PortalCrystal) > 0) { Npc_RemoveInvItems(Trader,ItMi_PortalCrystal,Npc_HasItems(Trader,ItMi_PortalCrystal)); }; if(Npc_HasItems(Trader,ItAr_Helm_G3_01) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_G3_01,Npc_HasItems(Trader,ItAr_Helm_G3_01)); }; if(Npc_HasItems(Trader,ItAr_Helm_G3_02) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_G3_02,Npc_HasItems(Trader,ItAr_Helm_G3_02)); }; if(Npc_HasItems(Trader,ItAr_Helm_G3_04) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_G3_04,Npc_HasItems(Trader,ItAr_Helm_G3_04)); }; if(Npc_HasItems(Trader,ItAr_Helm_G3_06) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_G3_06,Npc_HasItems(Trader,ItAr_Helm_G3_06)); }; if(Npc_HasItems(Trader,ItAr_Helm_Skel_Low) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Skel_Low,Npc_HasItems(Trader,ItAr_Helm_Skel_Low)); }; if(Npc_HasItems(Trader,ItAr_Helm_Skel) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Skel,Npc_HasItems(Trader,ItAr_Helm_Skel)); }; if(Npc_HasItems(Trader,ItAr_Helm_Skel_Elite) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Skel_Elite,Npc_HasItems(Trader,ItAr_Helm_Skel_Elite)); }; if(Npc_HasItems(Trader,ItAr_Helm_Skel_King) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Skel_King,Npc_HasItems(Trader,ItAr_Helm_Skel_King)); }; if(Npc_HasItems(Trader,ItAr_Helm_Avabul) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Avabul,Npc_HasItems(Trader,ItAr_Helm_Avabul)); }; if(Npc_HasItems(Trader,ItAr_Helm_Janus) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Janus,Npc_HasItems(Trader,ItAr_Helm_Janus)); }; if(Npc_HasItems(Trader,ItAr_Helm_Egezart) > 0) { Npc_RemoveInvItems(Trader,ItAr_Helm_Egezart,Npc_HasItems(Trader,ItAr_Helm_Egezart)); }; if(Npc_HasItems(Trader,ItMi_DragonStaffPiece_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_DragonStaffPiece_01,Npc_HasItems(Trader,ItMi_DragonStaffPiece_01)); }; if(Npc_HasItems(Trader,ItMi_DragonStaffPiece_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_DragonStaffPiece_02,Npc_HasItems(Trader,ItMi_DragonStaffPiece_02)); }; if(Npc_HasItems(Trader,ItMi_DragonStaffPiece_03) > 0) { Npc_RemoveInvItems(Trader,ItMi_DragonStaffPiece_03,Npc_HasItems(Trader,ItMi_DragonStaffPiece_03)); }; if(Npc_HasItems(Trader,ItMi_DragonStaffPiece_04) > 0) { Npc_RemoveInvItems(Trader,ItMi_DragonStaffPiece_04,Npc_HasItems(Trader,ItMi_DragonStaffPiece_04)); }; if(Npc_HasItems(Trader,ItMi_DragonStaffPiece_Eye) > 0) { Npc_RemoveInvItems(Trader,ItMi_DragonStaffPiece_Eye,Npc_HasItems(Trader,ItMi_DragonStaffPiece_Eye)); }; if(Npc_HasItems(Trader,ItMi_SteelForm) > 0) { Npc_RemoveInvItems(Trader,ItMi_SteelForm,Npc_HasItems(Trader,ItMi_SteelForm)); }; if(Npc_HasItems(Trader,ItMi_Diamod) > 0) { Npc_RemoveInvItems(Trader,ItMi_Diamod,Npc_HasItems(Trader,ItMi_Diamod)); }; if(Npc_HasItems(Trader,ItMi_Emerald) > 0) { Npc_RemoveInvItems(Trader,ItMi_Emerald,Npc_HasItems(Trader,ItMi_Emerald)); }; if(Npc_HasItems(Trader,ItMi_Ruby) > 0) { Npc_RemoveInvItems(Trader,ItMi_Ruby,Npc_HasItems(Trader,ItMi_Ruby)); }; if(Npc_HasItems(Trader,ItMi_Sapphire) > 0) { Npc_RemoveInvItems(Trader,ItMi_Sapphire,Npc_HasItems(Trader,ItMi_Sapphire)); }; if(Npc_HasItems(Trader,ItMi_Opal) > 0) { Npc_RemoveInvItems(Trader,ItMi_Opal,Npc_HasItems(Trader,ItMi_Opal)); }; if(Npc_HasItems(Trader,ItMi_Topaz) > 0) { Npc_RemoveInvItems(Trader,ItMi_Topaz,Npc_HasItems(Trader,ItMi_Topaz)); }; if(Npc_HasItems(Trader,ItMi_GroshBottle) > 0) { Npc_RemoveInvItems(Trader,ItMi_GroshBottle,Npc_HasItems(Trader,ItMi_GroshBottle)); }; if(Npc_HasItems(Trader,ItMi_ZharpStone) > 0) { Npc_RemoveInvItems(Trader,ItMi_ZharpStone,Npc_HasItems(Trader,ItMi_ZharpStone)); }; if(Npc_HasItems(Trader,ItMi_AncientRuneStone) > 0) { Npc_RemoveInvItems(Trader,ItMi_AncientRuneStone,Npc_HasItems(Trader,ItMi_AncientRuneStone)); }; if(Npc_HasItems(Trader,ItMi_NecrUrn) > 0) { Npc_RemoveInvItems(Trader,ItMi_NecrUrn,Npc_HasItems(Trader,ItMi_NecrUrn)); }; if(Npc_HasItems(Trader,ItMi_BigRuby) > 0) { Npc_RemoveInvItems(Trader,ItMi_BigRuby,Npc_HasItems(Trader,ItMi_BigRuby)); }; if(Npc_HasItems(Trader,ItMi_DiamondChoker) > 0) { Npc_RemoveInvItems(Trader,ItMi_DiamondChoker,Npc_HasItems(Trader,ItMi_DiamondChoker)); }; if(Npc_HasItems(Trader,ItMi_HuntHornGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_HuntHornGold,Npc_HasItems(Trader,ItMi_HuntHornGold)); }; if(Npc_HasItems(Trader,ItMi_KnifeGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_KnifeGold,Npc_HasItems(Trader,ItMi_KnifeGold)); }; if(Npc_HasItems(Trader,ItMi_OreBaronCrown) > 0) { Npc_RemoveInvItems(Trader,ItMi_OreBaronCrown,Npc_HasItems(Trader,ItMi_OreBaronCrown)); }; if(Npc_HasItems(Trader,ItMi_Wax) > 0) { Npc_RemoveInvItems(Trader,ItMi_Wax,Npc_HasItems(Trader,ItMi_Wax)); }; if(Npc_HasItems(Trader,ItWr_Seamap_Mirtana) > 0) { Npc_RemoveInvItems(Trader,ItWr_Seamap_Mirtana,Npc_HasItems(Trader,ItWr_Seamap_Mirtana)); }; if(Npc_HasItems(Trader,ItAr_ShrecHelm) > 0) { Npc_RemoveInvItems(Trader,ItAr_ShrecHelm,Npc_HasItems(Trader,ItAr_ShrecHelm)); }; if(Npc_HasItems(Trader,ItWr_KrowBook) > 0) { Npc_RemoveInvItems(Trader,ItWr_KrowBook,Npc_HasItems(Trader,ItWr_KrowBook)); }; if(Npc_HasItems(Trader,ItMi_StoneGuardianPiece) > 0) { Npc_RemoveInvItems(Trader,ItMi_StoneGuardianPiece,Npc_HasItems(Trader,ItMi_StoneGuardianPiece)); }; if(Npc_HasItems(Trader,ItMi_BowRope_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_BowRope_01,Npc_HasItems(Trader,ItMi_BowRope_01)); }; if(Npc_HasItems(Trader,ItMi_BowRope_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_BowRope_02,Npc_HasItems(Trader,ItMi_BowRope_02)); }; if(Npc_HasItems(Trader,ItMi_BowRope_03) > 0) { Npc_RemoveInvItems(Trader,ItMi_BowRope_03,Npc_HasItems(Trader,ItMi_BowRope_03)); }; if(Npc_HasItems(Trader,ItMi_BowRope_04) > 0) { Npc_RemoveInvItems(Trader,ItMi_BowRope_04,Npc_HasItems(Trader,ItMi_BowRope_04)); }; if(Npc_HasItems(Trader,ItMi_BowRope_05) > 0) { Npc_RemoveInvItems(Trader,ItMi_BowRope_05,Npc_HasItems(Trader,ItMi_BowRope_05)); }; if(Npc_HasItems(Trader,ItMi_JustTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_JustTree,Npc_HasItems(Trader,ItMi_JustTree)); }; if(Npc_HasItems(Trader,ItMi_EveTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_EveTree,Npc_HasItems(Trader,ItMi_EveTree)); }; if(Npc_HasItems(Trader,ItMi_VyzTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_VyzTree,Npc_HasItems(Trader,ItMi_VyzTree)); }; if(Npc_HasItems(Trader,ItMi_YsuoTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_YsuoTree,Npc_HasItems(Trader,ItMi_YsuoTree)); }; if(Npc_HasItems(Trader,ItMi_BokTree) > 0) { Npc_RemoveInvItems(Trader,ItMi_BokTree,Npc_HasItems(Trader,ItMi_BokTree)); }; if(Npc_HasItems(Trader,ItMi_JustBowCorpse) > 0) { Npc_RemoveInvItems(Trader,ItMi_JustBowCorpse,Npc_HasItems(Trader,ItMi_JustBowCorpse)); }; if(Npc_HasItems(Trader,ItMi_EveCorpse) > 0) { Npc_RemoveInvItems(Trader,ItMi_EveCorpse,Npc_HasItems(Trader,ItMi_EveCorpse)); }; if(Npc_HasItems(Trader,ItMi_VyzCorpse) > 0) { Npc_RemoveInvItems(Trader,ItMi_VyzCorpse,Npc_HasItems(Trader,ItMi_VyzCorpse)); }; if(Npc_HasItems(Trader,ItMi_YsuoCorpse) > 0) { Npc_RemoveInvItems(Trader,ItMi_YsuoCorpse,Npc_HasItems(Trader,ItMi_YsuoCorpse)); }; if(Npc_HasItems(Trader,ItMi_BokCorpse) > 0) { Npc_RemoveInvItems(Trader,ItMi_BokCorpse,Npc_HasItems(Trader,ItMi_BokCorpse)); }; if(Npc_HasItems(Trader,ItMi_TeleportStone) > 0) { Npc_RemoveInvItems(Trader,ItMi_TeleportStone,Npc_HasItems(Trader,ItMi_TeleportStone)); }; if(Npc_HasItems(Trader,ItMi_Fitil) > 0) { Npc_RemoveInvItems(Trader,ItMi_Fitil,Npc_HasItems(Trader,ItMi_Fitil)); }; if(Npc_HasItems(Trader,ItMi_CanoneBall) > 0) { Npc_RemoveInvItems(Trader,ItMi_CanoneBall,Npc_HasItems(Trader,ItMi_CanoneBall)); }; if(Npc_HasItems(Trader,ItMi_CanoneBall_Fire) > 0) { Npc_RemoveInvItems(Trader,ItMi_CanoneBall_Fire,Npc_HasItems(Trader,ItMi_CanoneBall_Fire)); }; if(Npc_HasItems(Trader,ItMi_MagicPowder) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicPowder,Npc_HasItems(Trader,ItMi_MagicPowder)); }; if(Npc_HasItems(Trader,ItMi_TeleportFarm) > 0) { Npc_RemoveInvItems(Trader,ItMi_TeleportFarm,Npc_HasItems(Trader,ItMi_TeleportFarm)); }; if(Npc_HasItems(Trader,ItMi_TeleportTaverne) > 0) { Npc_RemoveInvItems(Trader,ItMi_TeleportTaverne,Npc_HasItems(Trader,ItMi_TeleportTaverne)); }; if(Npc_HasItems(Trader,ItMi_TeleportPsicamp) > 0) { Npc_RemoveInvItems(Trader,ItMi_TeleportPsicamp,Npc_HasItems(Trader,ItMi_TeleportPsicamp)); }; if(Npc_HasItems(Trader,CA_ITMI_BRANCH) > 0) { Npc_RemoveInvItems(Trader,CA_ITMI_BRANCH,Npc_HasItems(Trader,CA_ITMI_BRANCH)); }; if(Npc_HasItems(Trader,ItMi_BeliarPowerStone) > 0) { Npc_RemoveInvItems(Trader,ItMi_BeliarPowerStone,Npc_HasItems(Trader,ItMi_BeliarPowerStone)); }; if(Npc_HasItems(Trader,ItBg_Armor) > 0) { Npc_RemoveInvItems(Trader,ItBg_Armor,Npc_HasItems(Trader,ItBg_Armor)); }; if(Npc_HasItems(Trader,ItBg_Weapon) > 0) { Npc_RemoveInvItems(Trader,ItBg_Weapon,Npc_HasItems(Trader,ItBg_Weapon)); }; if(Npc_HasItems(Trader,ItBg_Alchemy) > 0) { Npc_RemoveInvItems(Trader,ItBg_Alchemy,Npc_HasItems(Trader,ItBg_Alchemy)); }; if(Npc_HasItems(Trader,ItBg_Mage) > 0) { Npc_RemoveInvItems(Trader,ItBg_Mage,Npc_HasItems(Trader,ItBg_Mage)); }; if(Npc_HasItems(Trader,ItBg_Jewerly) > 0) { Npc_RemoveInvItems(Trader,ItBg_Jewerly,Npc_HasItems(Trader,ItBg_Jewerly)); }; if(Npc_HasItems(Trader,ItBg_PlatsFood) > 0) { Npc_RemoveInvItems(Trader,ItBg_PlatsFood,Npc_HasItems(Trader,ItBg_PlatsFood)); }; if(Npc_HasItems(Trader,ItBg_Trash) > 0) { Npc_RemoveInvItems(Trader,ItBg_Trash,Npc_HasItems(Trader,ItBg_Trash)); }; if(Npc_HasItems(Trader,ItPl_ExBlueMalve) > 0) { Npc_RemoveInvItems(Trader,ItPl_ExBlueMalve,Npc_HasItems(Trader,ItPl_ExBlueMalve)); }; if(Npc_HasItems(Trader,ItMi_BlackPearlNeckle) > 0) { Npc_RemoveInvItems(Trader,ItMi_BlackPearlNeckle,Npc_HasItems(Trader,ItMi_BlackPearlNeckle)); }; if(Npc_HasItems(Trader,ITMI_SONJAWIG) > 0) { Npc_RemoveInvItems(Trader,ITMI_SONJAWIG,Npc_HasItems(Trader,ITMI_SONJAWIG)); }; if(Npc_HasItems(Trader,ItMw_Kirka_New) > 0) { Npc_RemoveInvItems(Trader,ItMw_Kirka_New,Npc_HasItems(Trader,ItMw_Kirka_New)); }; if(Npc_HasItems(Trader,ItMw_2H_Axe_L_01) > 0) { Npc_RemoveInvItems(Trader,ItMw_2H_Axe_L_01,Npc_HasItems(Trader,ItMw_2H_Axe_L_01)); }; if(Npc_HasItems(Trader,ItMi_FlyCarpet) > 0) { Npc_RemoveInvItems(Trader,ItMi_FlyCarpet,Npc_HasItems(Trader,ItMi_FlyCarpet)); }; if(Npc_HasItems(Trader,ItSe_FlyCarpet) > 0) { Npc_RemoveInvItems(Trader,ItSe_FlyCarpet,Npc_HasItems(Trader,ItSe_FlyCarpet)); }; if(Npc_HasItems(Trader,ItPl_Weed) > 0) { Npc_RemoveInvItems(Trader,ItPl_Weed,Npc_HasItems(Trader,ItPl_Weed)); }; if(Npc_HasItems(Trader,ItPl_UnWeed) > 0) { Npc_RemoveInvItems(Trader,ItPl_UnWeed,Npc_HasItems(Trader,ItPl_UnWeed)); }; if(Npc_HasItems(Trader,ItPl_Beet) > 0) { Npc_RemoveInvItems(Trader,ItPl_Beet,Npc_HasItems(Trader,ItPl_Beet)); }; if(Npc_HasItems(Trader,ItPl_SwampHerb) > 0) { Npc_RemoveInvItems(Trader,ItPl_SwampHerb,Npc_HasItems(Trader,ItPl_SwampHerb)); }; if(Npc_HasItems(Trader,ItPl_SwampHerb_Balam_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_SwampHerb_Balam_01,Npc_HasItems(Trader,ItPl_SwampHerb_Balam_01)); }; if(Npc_HasItems(Trader,ItPl_SwampHerb_Balam_02) > 0) { Npc_RemoveInvItems(Trader,ItPl_SwampHerb_Balam_02,Npc_HasItems(Trader,ItPl_SwampHerb_Balam_02)); }; if(Npc_HasItems(Trader,ItPl_SwampHerb_Balam_03) > 0) { Npc_RemoveInvItems(Trader,ItPl_SwampHerb_Balam_03,Npc_HasItems(Trader,ItPl_SwampHerb_Balam_03)); }; if(Npc_HasItems(Trader,ITPL_SWAMPHERB_02) > 0) { Npc_RemoveInvItems(Trader,ITPL_SWAMPHERB_02,Npc_HasItems(Trader,ITPL_SWAMPHERB_02)); }; if(Npc_HasItems(Trader,ItPl_Mana_Herb_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Mana_Herb_01,Npc_HasItems(Trader,ItPl_Mana_Herb_01)); }; if(Npc_HasItems(Trader,ItPl_Mana_Herb_02) > 0) { Npc_RemoveInvItems(Trader,ItPl_Mana_Herb_02,Npc_HasItems(Trader,ItPl_Mana_Herb_02)); }; if(Npc_HasItems(Trader,ItPl_Mana_Herb_03) > 0) { Npc_RemoveInvItems(Trader,ItPl_Mana_Herb_03,Npc_HasItems(Trader,ItPl_Mana_Herb_03)); }; if(Npc_HasItems(Trader,ItPl_NetbekPlant) > 0) { Npc_RemoveInvItems(Trader,ItPl_NetbekPlant,Npc_HasItems(Trader,ItPl_NetbekPlant)); }; if(Npc_HasItems(Trader,ItPl_Health_Herb_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Health_Herb_01,Npc_HasItems(Trader,ItPl_Health_Herb_01)); }; if(Npc_HasItems(Trader,ItPl_Health_Herb_02) > 0) { Npc_RemoveInvItems(Trader,ItPl_Health_Herb_02,Npc_HasItems(Trader,ItPl_Health_Herb_02)); }; if(Npc_HasItems(Trader,ItPl_Health_Herb_03) > 0) { Npc_RemoveInvItems(Trader,ItPl_Health_Herb_03,Npc_HasItems(Trader,ItPl_Health_Herb_03)); }; if(Npc_HasItems(Trader,ItPl_Dex_Herb_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Dex_Herb_01,Npc_HasItems(Trader,ItPl_Dex_Herb_01)); }; if(Npc_HasItems(Trader,ItPl_Strength_Herb_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Strength_Herb_01,Npc_HasItems(Trader,ItPl_Strength_Herb_01)); }; if(Npc_HasItems(Trader,ItPl_Speed_Herb_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Speed_Herb_01,Npc_HasItems(Trader,ItPl_Speed_Herb_01)); }; if(Npc_HasItems(Trader,ItPl_Mushroom_01) > 0) { Npc_RemoveInvItems(Trader,ItPl_Mushroom_01,Npc_HasItems(Trader,ItPl_Mushroom_01)); }; if(Npc_HasItems(Trader,ItPl_Mushroom_02) > 0) { Npc_RemoveInvItems(Trader,ItPl_Mushroom_02,Npc_HasItems(Trader,ItPl_Mushroom_02)); }; if(Npc_HasItems(Trader,ItPl_Blueplant) > 0) { Npc_RemoveInvItems(Trader,ItPl_Blueplant,Npc_HasItems(Trader,ItPl_Blueplant)); }; if(Npc_HasItems(Trader,ItPl_Forestberry) > 0) { Npc_RemoveInvItems(Trader,ItPl_Forestberry,Npc_HasItems(Trader,ItPl_Forestberry)); }; if(Npc_HasItems(Trader,ItPl_Planeberry) > 0) { Npc_RemoveInvItems(Trader,ItPl_Planeberry,Npc_HasItems(Trader,ItPl_Planeberry)); }; if(Npc_HasItems(Trader,ItPl_Temp_Herb) > 0) { Npc_RemoveInvItems(Trader,ItPl_Temp_Herb,Npc_HasItems(Trader,ItPl_Temp_Herb)); }; if(Npc_HasItems(Trader,ItPl_Perm_Herb) > 0) { Npc_RemoveInvItems(Trader,ItPl_Perm_Herb,Npc_HasItems(Trader,ItPl_Perm_Herb)); }; if(Npc_HasItems(Trader,ITPL_SUPER_HERB) > 0) { Npc_RemoveInvItems(Trader,ITPL_SUPER_HERB,Npc_HasItems(Trader,ITPL_SUPER_HERB)); }; if(Npc_HasItems(Trader,ItPl_CactusFlower) > 0) { Npc_RemoveInvItems(Trader,ItPl_CactusFlower,Npc_HasItems(Trader,ItPl_CactusFlower)); }; if(Npc_HasItems(Trader,ITPL_DesertIll) > 0) { Npc_RemoveInvItems(Trader,ITPL_DesertIll,Npc_HasItems(Trader,ITPL_DesertIll)); }; if(Npc_HasItems(Trader,ItPl_MagicRoot) > 0) { Npc_RemoveInvItems(Trader,ItPl_MagicRoot,Npc_HasItems(Trader,ItPl_MagicRoot)); }; if(Npc_HasItems(Trader,ItPl_DarkClover) > 0) { Npc_RemoveInvItems(Trader,ItPl_DarkClover,Npc_HasItems(Trader,ItPl_DarkClover)); }; if(Npc_HasItems(Trader,ItPo_Mana_01) > 0) { Npc_RemoveInvItems(Trader,ItPo_Mana_01,Npc_HasItems(Trader,ItPo_Mana_01)); }; if(Npc_HasItems(Trader,ItPo_Mana_02) > 0) { Npc_RemoveInvItems(Trader,ItPo_Mana_02,Npc_HasItems(Trader,ItPo_Mana_02)); }; if(Npc_HasItems(Trader,ItPo_Mana_03) > 0) { Npc_RemoveInvItems(Trader,ItPo_Mana_03,Npc_HasItems(Trader,ItPo_Mana_03)); }; if(Npc_HasItems(Trader,ItPo_Health_01) > 0) { Npc_RemoveInvItems(Trader,ItPo_Health_01,Npc_HasItems(Trader,ItPo_Health_01)); }; if(Npc_HasItems(Trader,ItPo_Health_02) > 0) { Npc_RemoveInvItems(Trader,ItPo_Health_02,Npc_HasItems(Trader,ItPo_Health_02)); }; if(Npc_HasItems(Trader,ItPo_Health_03) > 0) { Npc_RemoveInvItems(Trader,ItPo_Health_03,Npc_HasItems(Trader,ItPo_Health_03)); }; if(Npc_HasItems(Trader,ItPo_Health_Addon_04_New) > 0) { Npc_RemoveInvItems(Trader,ItPo_Health_Addon_04_New,Npc_HasItems(Trader,ItPo_Health_Addon_04_New)); }; if(Npc_HasItems(Trader,ItPo_Perm_STR) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_STR,Npc_HasItems(Trader,ItPo_Perm_STR)); }; if(Npc_HasItems(Trader,ItPo_Perm_STR_M_Low) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_STR_M_Low,Npc_HasItems(Trader,ItPo_Perm_STR_M_Low)); }; if(Npc_HasItems(Trader,ItPo_Perm_STR_M_Normal) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_STR_M_Normal,Npc_HasItems(Trader,ItPo_Perm_STR_M_Normal)); }; if(Npc_HasItems(Trader,ItPo_Perm_STR_M_Strong) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_STR_M_Strong,Npc_HasItems(Trader,ItPo_Perm_STR_M_Strong)); }; if(Npc_HasItems(Trader,ItPo_Perm_STR_Fake) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_STR_Fake,Npc_HasItems(Trader,ItPo_Perm_STR_Fake)); }; if(Npc_HasItems(Trader,ItPo_Perm_DEX) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_DEX,Npc_HasItems(Trader,ItPo_Perm_DEX)); }; if(Npc_HasItems(Trader,ItPo_Perm_Dex_M_Low) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Dex_M_Low,Npc_HasItems(Trader,ItPo_Perm_Dex_M_Low)); }; if(Npc_HasItems(Trader,ItPo_Perm_Dex_M_Normal) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Dex_M_Normal,Npc_HasItems(Trader,ItPo_Perm_Dex_M_Normal)); }; if(Npc_HasItems(Trader,ItPo_Perm_Dex_M_Strong) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Dex_M_Strong,Npc_HasItems(Trader,ItPo_Perm_Dex_M_Strong)); }; if(Npc_HasItems(Trader,ItPo_Perm_Health) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Health,Npc_HasItems(Trader,ItPo_Perm_Health)); }; if(Npc_HasItems(Trader,ItPo_Perm_Health_M_Low) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Health_M_Low,Npc_HasItems(Trader,ItPo_Perm_Health_M_Low)); }; if(Npc_HasItems(Trader,ItPo_Perm_Health_M_Normal) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Health_M_Normal,Npc_HasItems(Trader,ItPo_Perm_Health_M_Normal)); }; if(Npc_HasItems(Trader,ItPo_Perm_Health_M_Strong) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Health_M_Strong,Npc_HasItems(Trader,ItPo_Perm_Health_M_Strong)); }; if(Npc_HasItems(Trader,ItPo_Perm_Mana) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Mana,Npc_HasItems(Trader,ItPo_Perm_Mana)); }; if(Npc_HasItems(Trader,ItPo_Perm_Mana_M_Low) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Mana_M_Low,Npc_HasItems(Trader,ItPo_Perm_Mana_M_Low)); }; if(Npc_HasItems(Trader,ItPo_Perm_Mana_M_Normal) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Mana_M_Normal,Npc_HasItems(Trader,ItPo_Perm_Mana_M_Normal)); }; if(Npc_HasItems(Trader,ItPo_Perm_Mana_M_Strong) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Mana_M_Strong,Npc_HasItems(Trader,ItPo_Perm_Mana_M_Strong)); }; if(Npc_HasItems(Trader,ITPO_TYONPOTION) > 0) { Npc_RemoveInvItems(Trader,ITPO_TYONPOTION,Npc_HasItems(Trader,ITPO_TYONPOTION)); }; if(Npc_HasItems(Trader,ItPo_Speed) > 0) { Npc_RemoveInvItems(Trader,ItPo_Speed,Npc_HasItems(Trader,ItPo_Speed)); }; if(Npc_HasItems(Trader,ITPO_SPEED_02) > 0) { Npc_RemoveInvItems(Trader,ITPO_SPEED_02,Npc_HasItems(Trader,ITPO_SPEED_02)); }; if(Npc_HasItems(Trader,ItPo_Stamina) > 0) { Npc_RemoveInvItems(Trader,ItPo_Stamina,Npc_HasItems(Trader,ItPo_Stamina)); }; if(Npc_HasItems(Trader,ItPo_Perm_Stamina) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Stamina,Npc_HasItems(Trader,ItPo_Perm_Stamina)); }; if(Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Low) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Stamina_M_Low,Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Low)); }; if(Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Normal) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Stamina_M_Normal,Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Normal)); }; if(Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Strong) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_Stamina_M_Strong,Npc_HasItems(Trader,ItPo_Perm_Stamina_M_Strong)); }; if(Npc_HasItems(Trader,ITPO_XMAGICDEF) > 0) { Npc_RemoveInvItems(Trader,ITPO_XMAGICDEF,Npc_HasItems(Trader,ITPO_XMAGICDEF)); }; if(Npc_HasItems(Trader,ITPO_PERM_DEF) > 0) { Npc_RemoveInvItems(Trader,ITPO_PERM_DEF,Npc_HasItems(Trader,ITPO_PERM_DEF)); }; if(Npc_HasItems(Trader,ITPO_XORCPOTION) > 0) { Npc_RemoveInvItems(Trader,ITPO_XORCPOTION,Npc_HasItems(Trader,ITPO_XORCPOTION)); }; if(Npc_HasItems(Trader,ITPO_XORCPOTION02) > 0) { Npc_RemoveInvItems(Trader,ITPO_XORCPOTION02,Npc_HasItems(Trader,ITPO_XORCPOTION02)); }; if(Npc_HasItems(Trader,ItPo_MegaDrink) > 0) { Npc_RemoveInvItems(Trader,ItPo_MegaDrink,Npc_HasItems(Trader,ItPo_MegaDrink)); }; if(Npc_HasItems(Trader,ITPO_SOULRIVER) > 0) { Npc_RemoveInvItems(Trader,ITPO_SOULRIVER,Npc_HasItems(Trader,ITPO_SOULRIVER)); }; if(Npc_HasItems(Trader,ITPO_POISON) > 0) { Npc_RemoveInvItems(Trader,ITPO_POISON,Npc_HasItems(Trader,ITPO_POISON)); }; if(Npc_HasItems(Trader,ITPO_BLOODFLYPOISON) > 0) { Npc_RemoveInvItems(Trader,ITPO_BLOODFLYPOISON,Npc_HasItems(Trader,ITPO_BLOODFLYPOISON)); }; if(Npc_HasItems(Trader,ItMi_NrozasPoison) > 0) { Npc_RemoveInvItems(Trader,ItMi_NrozasPoison,Npc_HasItems(Trader,ItMi_NrozasPoison)); }; if(Npc_HasItems(Trader,ItMi_NrozasPoisonOsair) > 0) { Npc_RemoveInvItems(Trader,ItMi_NrozasPoisonOsair,Npc_HasItems(Trader,ItMi_NrozasPoisonOsair)); }; if(Npc_HasItems(Trader,ItMi_NrozasPoisonHalf) > 0) { Npc_RemoveInvItems(Trader,ItMi_NrozasPoisonHalf,Npc_HasItems(Trader,ItMi_NrozasPoisonHalf)); }; if(Npc_HasItems(Trader,ITPO_ELIGORFIRE) > 0) { Npc_RemoveInvItems(Trader,ITPO_ELIGORFIRE,Npc_HasItems(Trader,ITPO_ELIGORFIRE)); }; if(Npc_HasItems(Trader,ITPO_WATERFIRE) > 0) { Npc_RemoveInvItems(Trader,ITPO_WATERFIRE,Npc_HasItems(Trader,ITPO_WATERFIRE)); }; if(Npc_HasItems(Trader,ITPO_MEGAPOTIONSKILL) > 0) { Npc_RemoveInvItems(Trader,ITPO_MEGAPOTIONSKILL,Npc_HasItems(Trader,ITPO_MEGAPOTIONSKILL)); }; if(Npc_HasItems(Trader,ITPO_SAGITTACLAWPOTION) > 0) { Npc_RemoveInvItems(Trader,ITPO_SAGITTACLAWPOTION,Npc_HasItems(Trader,ITPO_SAGITTACLAWPOTION)); }; if(Npc_HasItems(Trader,ITPO_MAGDEFENCE) > 0) { Npc_RemoveInvItems(Trader,ITPO_MAGDEFENCE,Npc_HasItems(Trader,ITPO_MAGDEFENCE)); }; if(Npc_HasItems(Trader,ITPO_INTELLECT) > 0) { Npc_RemoveInvItems(Trader,ITPO_INTELLECT,Npc_HasItems(Trader,ITPO_INTELLECT)); }; if(Npc_HasItems(Trader,ItPo_Troll_Stamina) > 0) { Npc_RemoveInvItems(Trader,ItPo_Troll_Stamina,Npc_HasItems(Trader,ItPo_Troll_Stamina)); }; if(Npc_HasItems(Trader,ITPO_SPEED_03) > 0) { Npc_RemoveInvItems(Trader,ITPO_SPEED_03,Npc_HasItems(Trader,ITPO_SPEED_03)); }; if(Npc_HasItems(Trader,ITPO_FIREDEFENCE) > 0) { Npc_RemoveInvItems(Trader,ITPO_FIREDEFENCE,Npc_HasItems(Trader,ITPO_FIREDEFENCE)); }; if(Npc_HasItems(Trader,ITPO_PERM_DEX_DRACONIAN) > 0) { Npc_RemoveInvItems(Trader,ITPO_PERM_DEX_DRACONIAN,Npc_HasItems(Trader,ITPO_PERM_DEX_DRACONIAN)); }; if(Npc_HasItems(Trader,ITPO_PERM_STR_ORC) > 0) { Npc_RemoveInvItems(Trader,ITPO_PERM_STR_ORC,Npc_HasItems(Trader,ITPO_PERM_STR_ORC)); }; if(Npc_HasItems(Trader,ITPO_FALLDEFENCE) > 0) { Npc_RemoveInvItems(Trader,ITPO_FALLDEFENCE,Npc_HasItems(Trader,ITPO_FALLDEFENCE)); }; if(Npc_HasItems(Trader,ITPO_ANPOIS) > 0) { Npc_RemoveInvItems(Trader,ITPO_ANPOIS,Npc_HasItems(Trader,ITPO_ANPOIS)); }; if(Npc_HasItems(Trader,ItPo_UrTrallPotion) > 0) { Npc_RemoveInvItems(Trader,ItPo_UrTrallPotion,Npc_HasItems(Trader,ItPo_UrTrallPotion)); }; if(Npc_HasItems(Trader,ItPo_Memories) > 0) { Npc_RemoveInvItems(Trader,ItPo_Memories,Npc_HasItems(Trader,ItPo_Memories)); }; if(Npc_HasItems(Trader,ITPO_BREATH_OF_DEATH) > 0) { Npc_RemoveInvItems(Trader,ITPO_BREATH_OF_DEATH,Npc_HasItems(Trader,ITPO_BREATH_OF_DEATH)); }; if(Npc_HasItems(Trader,ITPO_NECROM_POTION_01) > 0) { Npc_RemoveInvItems(Trader,ITPO_NECROM_POTION_01,Npc_HasItems(Trader,ITPO_NECROM_POTION_01)); }; if(Npc_HasItems(Trader,ITPO_DEMON_POTION) > 0) { Npc_RemoveInvItems(Trader,ITPO_DEMON_POTION,Npc_HasItems(Trader,ITPO_DEMON_POTION)); }; if(Npc_HasItems(Trader,ITPO_DEMON_POTION_BAD) > 0) { Npc_RemoveInvItems(Trader,ITPO_DEMON_POTION_BAD,Npc_HasItems(Trader,ITPO_DEMON_POTION_BAD)); }; if(Npc_HasItems(Trader,ITPO_PERM_DEX_SUPER) > 0) { Npc_RemoveInvItems(Trader,ITPO_PERM_DEX_SUPER,Npc_HasItems(Trader,ITPO_PERM_DEX_SUPER)); }; if(Npc_HasItems(Trader,ITPO_SOULPOTION) > 0) { Npc_RemoveInvItems(Trader,ITPO_SOULPOTION,Npc_HasItems(Trader,ITPO_SOULPOTION)); }; if(Npc_HasItems(Trader,ItPo_ElixirSHadow) > 0) { Npc_RemoveInvItems(Trader,ItPo_ElixirSHadow,Npc_HasItems(Trader,ItPo_ElixirSHadow)); }; if(Npc_HasItems(Trader,ItPo_UndeadShield) > 0) { Npc_RemoveInvItems(Trader,ItPo_UndeadShield,Npc_HasItems(Trader,ItPo_UndeadShield)); }; if(Npc_HasItems(Trader,ItPo_Addon_Geist_01) > 0) { Npc_RemoveInvItems(Trader,ItPo_Addon_Geist_01,Npc_HasItems(Trader,ItPo_Addon_Geist_01)); }; if(Npc_HasItems(Trader,ItPo_Addon_Geist_02) > 0) { Npc_RemoveInvItems(Trader,ItPo_Addon_Geist_02,Npc_HasItems(Trader,ItPo_Addon_Geist_02)); }; if(Npc_HasItems(Trader,ItPo_Health_Addon_04) > 0) { Npc_RemoveInvItems(Trader,ItPo_Health_Addon_04,Npc_HasItems(Trader,ItPo_Health_Addon_04)); }; if(Npc_HasItems(Trader,ItPo_Mana_Addon_04) > 0) { Npc_RemoveInvItems(Trader,ItPo_Mana_Addon_04,Npc_HasItems(Trader,ItPo_Mana_Addon_04)); }; if(Npc_HasItems(Trader,ItMi_ArrowTip) > 0) { Npc_RemoveInvItems(Trader,ItMi_ArrowTip,Npc_HasItems(Trader,ItMi_ArrowTip)); }; if(Npc_HasItems(Trader,ItMi_KerArrowTip) > 0) { Npc_RemoveInvItems(Trader,ItMi_KerArrowTip,Npc_HasItems(Trader,ItMi_KerArrowTip)); }; if(Npc_HasItems(Trader,ItMi_BoltTip) > 0) { Npc_RemoveInvItems(Trader,ItMi_BoltTip,Npc_HasItems(Trader,ItMi_BoltTip)); }; if(Npc_HasItems(Trader,ItMi_ArrowShaft) > 0) { Npc_RemoveInvItems(Trader,ItMi_ArrowShaft,Npc_HasItems(Trader,ItMi_ArrowShaft)); }; if(Npc_HasItems(Trader,ItMi_BoltShaft) > 0) { Npc_RemoveInvItems(Trader,ItMi_BoltShaft,Npc_HasItems(Trader,ItMi_BoltShaft)); }; if(Npc_HasItems(Trader,ItRw_Arrow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Arrow,Npc_HasItems(Trader,ItRw_Arrow)); }; if(Npc_HasItems(Trader,ItRw_PoisonArrow) > 0) { Npc_RemoveInvItems(Trader,ItRw_PoisonArrow,Npc_HasItems(Trader,ItRw_PoisonArrow)); }; if(Npc_HasItems(Trader,ItRw_HolyArrow) > 0) { Npc_RemoveInvItems(Trader,ItRw_HolyArrow,Npc_HasItems(Trader,ItRw_HolyArrow)); }; if(Npc_HasItems(Trader,ItRw_Addon_MagicArrow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Addon_MagicArrow,Npc_HasItems(Trader,ItRw_Addon_MagicArrow)); }; if(Npc_HasItems(Trader,ItRw_Addon_FireArrow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Addon_FireArrow,Npc_HasItems(Trader,ItRw_Addon_FireArrow)); }; if(Npc_HasItems(Trader,ItRw_Bolt) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bolt,Npc_HasItems(Trader,ItRw_Bolt)); }; if(Npc_HasItems(Trader,ItRw_Addon_MagicBolt) > 0) { Npc_RemoveInvItems(Trader,ItRw_Addon_MagicBolt,Npc_HasItems(Trader,ItRw_Addon_MagicBolt)); }; if(Npc_HasItems(Trader,ItRw_HolyBolt) > 0) { Npc_RemoveInvItems(Trader,ItRw_HolyBolt,Npc_HasItems(Trader,ItRw_HolyBolt)); }; if(Npc_HasItems(Trader,ITRW_ZUNTARROW) > 0) { Npc_RemoveInvItems(Trader,ITRW_ZUNTARROW,Npc_HasItems(Trader,ITRW_ZUNTARROW)); }; if(Npc_HasItems(Trader,ITRW_MYHUNTARROW) > 0) { Npc_RemoveInvItems(Trader,ITRW_MYHUNTARROW,Npc_HasItems(Trader,ITRW_MYHUNTARROW)); }; if(Npc_HasItems(Trader,ItRw_Ass_2x2) > 0) { Npc_RemoveInvItems(Trader,ItRw_Ass_2x2,Npc_HasItems(Trader,ItRw_Ass_2x2)); }; if(Npc_HasItems(Trader,ITRW_ADDON_MAGICBOLT_SHV) > 0) { Npc_RemoveInvItems(Trader,ITRW_ADDON_MAGICBOLT_SHV,Npc_HasItems(Trader,ITRW_ADDON_MAGICBOLT_SHV)); }; if(Npc_HasItems(Trader,ItRw_Bow_L_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_L_01,Npc_HasItems(Trader,ItRw_Bow_L_01)); }; if(Npc_HasItems(Trader,ItRw_Bow_L_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_L_02,Npc_HasItems(Trader,ItRw_Bow_L_02)); }; if(Npc_HasItems(Trader,ItRw_Bow_L_03) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_L_03,Npc_HasItems(Trader,ItRw_Bow_L_03)); }; if(Npc_HasItems(Trader,ITRW_BOSPBOW_L_03) > 0) { Npc_RemoveInvItems(Trader,ITRW_BOSPBOW_L_03,Npc_HasItems(Trader,ITRW_BOSPBOW_L_03)); }; if(Npc_HasItems(Trader,ItRw_Bow_L_04) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_L_04,Npc_HasItems(Trader,ItRw_Bow_L_04)); }; if(Npc_HasItems(Trader,ItRw_Bow_M_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_M_01,Npc_HasItems(Trader,ItRw_Bow_M_01)); }; if(Npc_HasItems(Trader,ItRw_Bow_M_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_M_02,Npc_HasItems(Trader,ItRw_Bow_M_02)); }; if(Npc_HasItems(Trader,ItRw_Bow_M_03) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_M_03,Npc_HasItems(Trader,ItRw_Bow_M_03)); }; if(Npc_HasItems(Trader,ItRw_Bow_M_04) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_M_04,Npc_HasItems(Trader,ItRw_Bow_M_04)); }; if(Npc_HasItems(Trader,ItRw_BowCraft_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_BowCraft_01,Npc_HasItems(Trader,ItRw_BowCraft_01)); }; if(Npc_HasItems(Trader,ItRw_BowCraft_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_BowCraft_02,Npc_HasItems(Trader,ItRw_BowCraft_02)); }; if(Npc_HasItems(Trader,ItRw_BowCraft_03) > 0) { Npc_RemoveInvItems(Trader,ItRw_BowCraft_03,Npc_HasItems(Trader,ItRw_BowCraft_03)); }; if(Npc_HasItems(Trader,ItRw_BowCraft_04) > 0) { Npc_RemoveInvItems(Trader,ItRw_BowCraft_04,Npc_HasItems(Trader,ItRw_BowCraft_04)); }; if(Npc_HasItems(Trader,ItRw_BowCraft_05) > 0) { Npc_RemoveInvItems(Trader,ItRw_BowCraft_05,Npc_HasItems(Trader,ItRw_BowCraft_05)); }; if(Npc_HasItems(Trader,ItRw_Bow_H_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_H_01,Npc_HasItems(Trader,ItRw_Bow_H_01)); }; if(Npc_HasItems(Trader,ItRw_Bow_H_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_H_02,Npc_HasItems(Trader,ItRw_Bow_H_02)); }; if(Npc_HasItems(Trader,ItRw_Bow_H_03) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_H_03,Npc_HasItems(Trader,ItRw_Bow_H_03)); }; if(Npc_HasItems(Trader,ItRw_Bow_H_04) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_H_04,Npc_HasItems(Trader,ItRw_Bow_H_04)); }; if(Npc_HasItems(Trader,ITRW_WHITEBOW) > 0) { Npc_RemoveInvItems(Trader,ITRW_WHITEBOW,Npc_HasItems(Trader,ITRW_WHITEBOW)); }; if(Npc_HasItems(Trader,ItRw_Sld_Bow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Sld_Bow,Npc_HasItems(Trader,ItRw_Sld_Bow)); }; if(Npc_HasItems(Trader,ITRW_DIEGO_BOW) > 0) { Npc_RemoveInvItems(Trader,ITRW_DIEGO_BOW,Npc_HasItems(Trader,ITRW_DIEGO_BOW)); }; if(Npc_HasItems(Trader,ItRw_Arabic_Bow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Arabic_Bow,Npc_HasItems(Trader,ItRw_Arabic_Bow)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_Light) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_Light,Npc_HasItems(Trader,ItRw_Crossbow_Light)); }; if(Npc_HasItems(Trader,ItRw_Mil_Crossbow) > 0) { Npc_RemoveInvItems(Trader,ItRw_Mil_Crossbow,Npc_HasItems(Trader,ItRw_Mil_Crossbow)); }; if(Npc_HasItems(Trader,ItRw_BDT_Crossbow) > 0) { Npc_RemoveInvItems(Trader,ItRw_BDT_Crossbow,Npc_HasItems(Trader,ItRw_BDT_Crossbow)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_L_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_L_01,Npc_HasItems(Trader,ItRw_Crossbow_L_01)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_L_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_L_02,Npc_HasItems(Trader,ItRw_Crossbow_L_02)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_M_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_M_01,Npc_HasItems(Trader,ItRw_Crossbow_M_01)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_M_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_M_02,Npc_HasItems(Trader,ItRw_Crossbow_M_02)); }; if(Npc_HasItems(Trader,ItRw_PAL_Crossbow) > 0) { Npc_RemoveInvItems(Trader,ItRw_PAL_Crossbow,Npc_HasItems(Trader,ItRw_PAL_Crossbow)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_H_01) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_H_01,Npc_HasItems(Trader,ItRw_Crossbow_H_01)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_H_02) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_H_02,Npc_HasItems(Trader,ItRw_Crossbow_H_02)); }; if(Npc_HasItems(Trader,ITRW_CROSSBOW_ORC) > 0) { Npc_RemoveInvItems(Trader,ITRW_CROSSBOW_ORC,Npc_HasItems(Trader,ITRW_CROSSBOW_ORC)); }; if(Npc_HasItems(Trader,ITRW_CROSSBOW_ORC_LIGHT) > 0) { Npc_RemoveInvItems(Trader,ITRW_CROSSBOW_ORC_LIGHT,Npc_HasItems(Trader,ITRW_CROSSBOW_ORC_LIGHT)); }; if(Npc_HasItems(Trader,ITRW_ADDON_MAGICCROSSBOW_SHV) > 0) { Npc_RemoveInvItems(Trader,ITRW_ADDON_MAGICCROSSBOW_SHV,Npc_HasItems(Trader,ITRW_ADDON_MAGICCROSSBOW_SHV)); }; if(Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_GREATARBALET_ORC_01,Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_01)); }; if(Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_02) > 0) { Npc_RemoveInvItems(Trader,ITRW_GREATARBALET_ORC_02,Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_02)); }; if(Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_03) > 0) { Npc_RemoveInvItems(Trader,ITRW_GREATARBALET_ORC_03,Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_03)); }; if(Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_04) > 0) { Npc_RemoveInvItems(Trader,ITRW_GREATARBALET_ORC_04,Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_04)); }; if(Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_05) > 0) { Npc_RemoveInvItems(Trader,ITRW_GREATARBALET_ORC_05,Npc_HasItems(Trader,ITRW_GREATARBALET_ORC_05)); }; if(Npc_HasItems(Trader,ITRW_BOW_DOUBLE_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_BOW_DOUBLE_01,Npc_HasItems(Trader,ITRW_BOW_DOUBLE_01)); }; if(Npc_HasItems(Trader,ITRW_G3_LONG_BOW_02) > 0) { Npc_RemoveInvItems(Trader,ITRW_G3_LONG_BOW_02,Npc_HasItems(Trader,ITRW_G3_LONG_BOW_02)); }; if(Npc_HasItems(Trader,ITRW_KMR_KADAT_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_KMR_KADAT_BOW_01,Npc_HasItems(Trader,ITRW_KMR_KADAT_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_KMR_DARKLONG_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_KMR_DARKLONG_BOW_01,Npc_HasItems(Trader,ITRW_KMR_DARKLONG_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_KMR_SHADOWS_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_KMR_SHADOWS_BOW_01,Npc_HasItems(Trader,ITRW_KMR_SHADOWS_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_G3_SILENTDEATH_BOW_01_NPC) > 0) { Npc_RemoveInvItems(Trader,ITRW_G3_SILENTDEATH_BOW_01_NPC,Npc_HasItems(Trader,ITRW_G3_SILENTDEATH_BOW_01_NPC)); }; if(Npc_HasItems(Trader,ITRW_G3_SILENTDEATH_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_G3_SILENTDEATH_BOW_01,Npc_HasItems(Trader,ITRW_G3_SILENTDEATH_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_SHADOWBOW) > 0) { Npc_RemoveInvItems(Trader,ITRW_SHADOWBOW,Npc_HasItems(Trader,ITRW_SHADOWBOW)); }; if(Npc_HasItems(Trader,ITRW_BOW_BONES) > 0) { Npc_RemoveInvItems(Trader,ITRW_BOW_BONES,Npc_HasItems(Trader,ITRW_BOW_BONES)); }; if(Npc_HasItems(Trader,ITRW_G4_OAK_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_G4_OAK_BOW_01,Npc_HasItems(Trader,ITRW_G4_OAK_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_HOLYBOW) > 0) { Npc_RemoveInvItems(Trader,ITRW_HOLYBOW,Npc_HasItems(Trader,ITRW_HOLYBOW)); }; if(Npc_HasItems(Trader,ITRW_G3_DEMON_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_G3_DEMON_BOW_01,Npc_HasItems(Trader,ITRW_G3_DEMON_BOW_01)); }; if(Npc_HasItems(Trader,ITRW_HAOS_BOW_01) > 0) { Npc_RemoveInvItems(Trader,ITRW_HAOS_BOW_01,Npc_HasItems(Trader,ITRW_HAOS_BOW_01)); }; if(Npc_HasItems(Trader,ItRw_Undead) > 0) { Npc_RemoveInvItems(Trader,ItRw_Undead,Npc_HasItems(Trader,ItRw_Undead)); }; if(Npc_HasItems(Trader,ItRw_Crossbow_Undead) > 0) { Npc_RemoveInvItems(Trader,ItRw_Crossbow_Undead,Npc_HasItems(Trader,ItRw_Crossbow_Undead)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_01) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_01,Npc_HasItems(Trader,ItSl_BackArrowSack_01)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_02) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_02,Npc_HasItems(Trader,ItSl_BackArrowSack_02)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_04) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_04,Npc_HasItems(Trader,ItSl_BackArrowSack_04)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_05) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_05,Npc_HasItems(Trader,ItSl_BackArrowSack_05)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_06) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_06,Npc_HasItems(Trader,ItSl_BackArrowSack_06)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_07) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_07,Npc_HasItems(Trader,ItSl_BackArrowSack_07)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_08) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_08,Npc_HasItems(Trader,ItSl_BackArrowSack_08)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_09) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_09,Npc_HasItems(Trader,ItSl_BackArrowSack_09)); }; if(Npc_HasItems(Trader,ItSl_BackArrowSack_10) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackArrowSack_10,Npc_HasItems(Trader,ItSl_BackArrowSack_10)); }; if(Npc_HasItems(Trader,ItSl_BackBoltSack_01) > 0) { Npc_RemoveInvItems(Trader,ItSl_BackBoltSack_01,Npc_HasItems(Trader,ItSl_BackBoltSack_01)); }; if(Npc_HasItems(Trader,ITAM_ORCAMULET) > 0) { Npc_RemoveInvItems(Trader,ITAM_ORCAMULET,Npc_HasItems(Trader,ITAM_ORCAMULET)); }; if(Npc_HasItems(Trader,ItAm_Prot_Fire_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_Fire_01,Npc_HasItems(Trader,ItAm_Prot_Fire_01)); }; if(Npc_HasItems(Trader,ItAm_Prot_Edge_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_Edge_01,Npc_HasItems(Trader,ItAm_Prot_Edge_01)); }; if(Npc_HasItems(Trader,ItAm_Prot_Point_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_Point_01,Npc_HasItems(Trader,ItAm_Prot_Point_01)); }; if(Npc_HasItems(Trader,ItAm_Prot_Mage_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_Mage_01,Npc_HasItems(Trader,ItAm_Prot_Mage_01)); }; if(Npc_HasItems(Trader,ItAm_Prot_Total_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_Total_01,Npc_HasItems(Trader,ItAm_Prot_Total_01)); }; if(Npc_HasItems(Trader,ItAm_Dex_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Dex_01,Npc_HasItems(Trader,ItAm_Dex_01)); }; if(Npc_HasItems(Trader,ItAm_Strg_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Strg_01,Npc_HasItems(Trader,ItAm_Strg_01)); }; if(Npc_HasItems(Trader,ItAm_Hp_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Hp_01,Npc_HasItems(Trader,ItAm_Hp_01)); }; if(Npc_HasItems(Trader,ItAm_Mana_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Mana_01,Npc_HasItems(Trader,ItAm_Mana_01)); }; if(Npc_HasItems(Trader,ItAm_Dex_Strg_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Dex_Strg_01,Npc_HasItems(Trader,ItAm_Dex_Strg_01)); }; if(Npc_HasItems(Trader,ItAm_Hp_Mana_01) > 0) { Npc_RemoveInvItems(Trader,ItAm_Hp_Mana_01,Npc_HasItems(Trader,ItAm_Hp_Mana_01)); }; if(Npc_HasItems(Trader,ITAM_IRDORAT) > 0) { Npc_RemoveInvItems(Trader,ITAM_IRDORAT,Npc_HasItems(Trader,ITAM_IRDORAT)); }; if(Npc_HasItems(Trader,ITAM_BENKENOB) > 0) { Npc_RemoveInvItems(Trader,ITAM_BENKENOB,Npc_HasItems(Trader,ITAM_BENKENOB)); }; if(Npc_HasItems(Trader,ITAM_ZIGOSMAGIC) > 0) { Npc_RemoveInvItems(Trader,ITAM_ZIGOSMAGIC,Npc_HasItems(Trader,ITAM_ZIGOSMAGIC)); }; if(Npc_HasItems(Trader,ItAm_Addon_Franco) > 0) { Npc_RemoveInvItems(Trader,ItAm_Addon_Franco,Npc_HasItems(Trader,ItAm_Addon_Franco)); }; if(Npc_HasItems(Trader,ItAm_Addon_Health) > 0) { Npc_RemoveInvItems(Trader,ItAm_Addon_Health,Npc_HasItems(Trader,ItAm_Addon_Health)); }; if(Npc_HasItems(Trader,ItRi_Addon_Health_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_Health_01,Npc_HasItems(Trader,ItRi_Addon_Health_01)); }; if(Npc_HasItems(Trader,ItRi_Addon_Health_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_Health_02,Npc_HasItems(Trader,ItRi_Addon_Health_02)); }; if(Npc_HasItems(Trader,ItAm_Addon_MANA) > 0) { Npc_RemoveInvItems(Trader,ItAm_Addon_MANA,Npc_HasItems(Trader,ItAm_Addon_MANA)); }; if(Npc_HasItems(Trader,ItRi_Addon_MANA_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_MANA_01,Npc_HasItems(Trader,ItRi_Addon_MANA_01)); }; if(Npc_HasItems(Trader,ItRi_Addon_MANA_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_MANA_02,Npc_HasItems(Trader,ItRi_Addon_MANA_02)); }; if(Npc_HasItems(Trader,ItAm_Addon_STR) > 0) { Npc_RemoveInvItems(Trader,ItAm_Addon_STR,Npc_HasItems(Trader,ItAm_Addon_STR)); }; if(Npc_HasItems(Trader,ItRi_Addon_STR_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_STR_01,Npc_HasItems(Trader,ItRi_Addon_STR_01)); }; if(Npc_HasItems(Trader,ItRi_Addon_STR_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_STR_02,Npc_HasItems(Trader,ItRi_Addon_STR_02)); }; if(Npc_HasItems(Trader,ItAm_MasiafKey) > 0) { Npc_RemoveInvItems(Trader,ItAm_MasiafKey,Npc_HasItems(Trader,ItAm_MasiafKey)); }; if(Npc_HasItems(Trader,ItKe_Masiaf_Open) > 0) { Npc_RemoveInvItems(Trader,ItKe_Masiaf_Open,Npc_HasItems(Trader,ItKe_Masiaf_Open)); }; if(Npc_HasItems(Trader,ItKe_AniTest) > 0) { Npc_RemoveInvItems(Trader,ItKe_AniTest,Npc_HasItems(Trader,ItKe_AniTest)); }; if(Npc_HasItems(Trader,ItAm_Diamond) > 0) { Npc_RemoveInvItems(Trader,ItAm_Diamond,Npc_HasItems(Trader,ItAm_Diamond)); }; if(Npc_HasItems(Trader,ItAm_Ruby) > 0) { Npc_RemoveInvItems(Trader,ItAm_Ruby,Npc_HasItems(Trader,ItAm_Ruby)); }; if(Npc_HasItems(Trader,ItAm_Emerald) > 0) { Npc_RemoveInvItems(Trader,ItAm_Emerald,Npc_HasItems(Trader,ItAm_Emerald)); }; if(Npc_HasItems(Trader,ItAm_Sapphire) > 0) { Npc_RemoveInvItems(Trader,ItAm_Sapphire,Npc_HasItems(Trader,ItAm_Sapphire)); }; if(Npc_HasItems(Trader,ItAm_Opal) > 0) { Npc_RemoveInvItems(Trader,ItAm_Opal,Npc_HasItems(Trader,ItAm_Opal)); }; if(Npc_HasItems(Trader,ItAm_Topaz) > 0) { Npc_RemoveInvItems(Trader,ItAm_Topaz,Npc_HasItems(Trader,ItAm_Topaz)); }; if(Npc_HasItems(Trader,ITMI_DEADORCITEM) > 0) { Npc_RemoveInvItems(Trader,ITMI_DEADORCITEM,Npc_HasItems(Trader,ITMI_DEADORCITEM)); }; if(Npc_HasItems(Trader,ItAm_HashGor) > 0) { Npc_RemoveInvItems(Trader,ItAm_HashGor,Npc_HasItems(Trader,ItAm_HashGor)); }; if(Npc_HasItems(Trader,ItRi_Prot_Fire_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Fire_01,Npc_HasItems(Trader,ItRi_Prot_Fire_01)); }; if(Npc_HasItems(Trader,ITRI_LANZRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_LANZRING,Npc_HasItems(Trader,ITRI_LANZRING)); }; if(Npc_HasItems(Trader,ITRI_TROKARRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_TROKARRING,Npc_HasItems(Trader,ITRI_TROKARRING)); }; if(Npc_HasItems(Trader,ItRi_Prot_Fire_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Fire_02,Npc_HasItems(Trader,ItRi_Prot_Fire_02)); }; if(Npc_HasItems(Trader,ItRi_Prot_Fire_03) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Fire_03,Npc_HasItems(Trader,ItRi_Prot_Fire_03)); }; if(Npc_HasItems(Trader,ItRi_Prot_Point_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Point_01,Npc_HasItems(Trader,ItRi_Prot_Point_01)); }; if(Npc_HasItems(Trader,ItRi_Prot_Point_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Point_02,Npc_HasItems(Trader,ItRi_Prot_Point_02)); }; if(Npc_HasItems(Trader,ItRi_Rod) > 0) { Npc_RemoveInvItems(Trader,ItRi_Rod,Npc_HasItems(Trader,ItRi_Rod)); }; if(Npc_HasItems(Trader,ItRi_Prot_Edge_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Edge_01,Npc_HasItems(Trader,ItRi_Prot_Edge_01)); }; if(Npc_HasItems(Trader,ItRi_Prot_Edge_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Edge_02,Npc_HasItems(Trader,ItRi_Prot_Edge_02)); }; if(Npc_HasItems(Trader,ItRi_Prot_Mage_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Mage_01,Npc_HasItems(Trader,ItRi_Prot_Mage_01)); }; if(Npc_HasItems(Trader,ItRi_Prot_Mage_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Mage_02,Npc_HasItems(Trader,ItRi_Prot_Mage_02)); }; if(Npc_HasItems(Trader,ItRi_Prot_Total_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Total_01,Npc_HasItems(Trader,ItRi_Prot_Total_01)); }; if(Npc_HasItems(Trader,ItRi_Prot_Total_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Total_02,Npc_HasItems(Trader,ItRi_Prot_Total_02)); }; if(Npc_HasItems(Trader,ItRi_Dex_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Dex_01,Npc_HasItems(Trader,ItRi_Dex_01)); }; if(Npc_HasItems(Trader,ItRi_Dex_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Dex_02,Npc_HasItems(Trader,ItRi_Dex_02)); }; if(Npc_HasItems(Trader,ItRi_HP_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_HP_01,Npc_HasItems(Trader,ItRi_HP_01)); }; if(Npc_HasItems(Trader,ItRi_Hp_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Hp_02,Npc_HasItems(Trader,ItRi_Hp_02)); }; if(Npc_HasItems(Trader,ItRi_Str_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Str_01,Npc_HasItems(Trader,ItRi_Str_01)); }; if(Npc_HasItems(Trader,ItRi_Str_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Str_02,Npc_HasItems(Trader,ItRi_Str_02)); }; if(Npc_HasItems(Trader,ItRi_Mana_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Mana_01,Npc_HasItems(Trader,ItRi_Mana_01)); }; if(Npc_HasItems(Trader,ItRi_Mana_02) > 0) { Npc_RemoveInvItems(Trader,ItRi_Mana_02,Npc_HasItems(Trader,ItRi_Mana_02)); }; if(Npc_HasItems(Trader,ItRi_Hp_Mana_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Hp_Mana_01,Npc_HasItems(Trader,ItRi_Hp_Mana_01)); }; if(Npc_HasItems(Trader,ItRi_Dex_Strg_01) > 0) { Npc_RemoveInvItems(Trader,ItRi_Dex_Strg_01,Npc_HasItems(Trader,ItRi_Dex_Strg_01)); }; if(Npc_HasItems(Trader,ITRI_RITUALPLACE) > 0) { Npc_RemoveInvItems(Trader,ITRI_RITUALPLACE,Npc_HasItems(Trader,ITRI_RITUALPLACE)); }; if(Npc_HasItems(Trader,ITRI_XARDASPLACE) > 0) { Npc_RemoveInvItems(Trader,ITRI_XARDASPLACE,Npc_HasItems(Trader,ITRI_XARDASPLACE)); }; if(Npc_HasItems(Trader,ITRI_GUARDIANS_01) > 0) { Npc_RemoveInvItems(Trader,ITRI_GUARDIANS_01,Npc_HasItems(Trader,ITRI_GUARDIANS_01)); }; if(Npc_HasItems(Trader,ITRI_GUARDIANS_02) > 0) { Npc_RemoveInvItems(Trader,ITRI_GUARDIANS_02,Npc_HasItems(Trader,ITRI_GUARDIANS_02)); }; if(Npc_HasItems(Trader,ITRI_SARAFAMILYRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_SARAFAMILYRING,Npc_HasItems(Trader,ITRI_SARAFAMILYRING)); }; if(Npc_HasItems(Trader,ITRI_HAKONMISSRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_HAKONMISSRING,Npc_HasItems(Trader,ITRI_HAKONMISSRING)); }; if(Npc_HasItems(Trader,ITRI_PILLIGRIMRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_PILLIGRIMRING,Npc_HasItems(Trader,ITRI_PILLIGRIMRING)); }; if(Npc_HasItems(Trader,ITRI_GRITTASRING) > 0) { Npc_RemoveInvItems(Trader,ITRI_GRITTASRING,Npc_HasItems(Trader,ITRI_GRITTASRING)); }; if(Npc_HasItems(Trader,ITRI_VEPR) > 0) { Npc_RemoveInvItems(Trader,ITRI_VEPR,Npc_HasItems(Trader,ITRI_VEPR)); }; if(Npc_HasItems(Trader,ITRI_INNOSJUDGE) > 0) { Npc_RemoveInvItems(Trader,ITRI_INNOSJUDGE,Npc_HasItems(Trader,ITRI_INNOSJUDGE)); }; if(Npc_HasItems(Trader,ITRI_NARUS) > 0) { Npc_RemoveInvItems(Trader,ITRI_NARUS,Npc_HasItems(Trader,ITRI_NARUS)); }; if(Npc_HasItems(Trader,ITRI_UDARGIFT) > 0) { Npc_RemoveInvItems(Trader,ITRI_UDARGIFT,Npc_HasItems(Trader,ITRI_UDARGIFT)); }; if(Npc_HasItems(Trader,ITRI_DEX_03) > 0) { Npc_RemoveInvItems(Trader,ITRI_DEX_03,Npc_HasItems(Trader,ITRI_DEX_03)); }; if(Npc_HasItems(Trader,ITRI_FELLANGOR) > 0) { Npc_RemoveInvItems(Trader,ITRI_FELLANGOR,Npc_HasItems(Trader,ITRI_FELLANGOR)); }; if(Npc_HasItems(Trader,ITRI_FELLANGOR_MAGIC) > 0) { Npc_RemoveInvItems(Trader,ITRI_FELLANGOR_MAGIC,Npc_HasItems(Trader,ITRI_FELLANGOR_MAGIC)); }; if(Npc_HasItems(Trader,ItRi_UnknownRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_UnknownRing,Npc_HasItems(Trader,ItRi_UnknownRing)); }; if(Npc_HasItems(Trader,ItRi_Teleport_Ring) > 0) { Npc_RemoveInvItems(Trader,ItRi_Teleport_Ring,Npc_HasItems(Trader,ItRi_Teleport_Ring)); }; if(Npc_HasItems(Trader,ITRI_TELEPORT_RING_ADANOS) > 0) { Npc_RemoveInvItems(Trader,ITRI_TELEPORT_RING_ADANOS,Npc_HasItems(Trader,ITRI_TELEPORT_RING_ADANOS)); }; if(Npc_HasItems(Trader,ITRI_TELEPORT_NW_RUINS) > 0) { Npc_RemoveInvItems(Trader,ITRI_TELEPORT_NW_RUINS,Npc_HasItems(Trader,ITRI_TELEPORT_NW_RUINS)); }; if(Npc_HasItems(Trader,ITRI_RING_SLOW) > 0) { Npc_RemoveInvItems(Trader,ITRI_RING_SLOW,Npc_HasItems(Trader,ITRI_RING_SLOW)); }; if(Npc_HasItems(Trader,ItRi_DragonStaff) > 0) { Npc_RemoveInvItems(Trader,ItRi_DragonStaff,Npc_HasItems(Trader,ItRi_DragonStaff)); }; if(Npc_HasItems(Trader,ItRi_OreBarons) > 0) { Npc_RemoveInvItems(Trader,ItRi_OreBarons,Npc_HasItems(Trader,ItRi_OreBarons)); }; if(Npc_HasItems(Trader,ItRi_HuntRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_HuntRing,Npc_HasItems(Trader,ItRi_HuntRing)); }; if(Npc_HasItems(Trader,ItRi_FerrosRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_FerrosRing,Npc_HasItems(Trader,ItRi_FerrosRing)); }; if(Npc_HasItems(Trader,ItRi_DarkCurse) > 0) { Npc_RemoveInvItems(Trader,ItRi_DarkCurse,Npc_HasItems(Trader,ItRi_DarkCurse)); }; if(Npc_HasItems(Trader,ItRi_Ferd) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ferd,Npc_HasItems(Trader,ItRi_Ferd)); }; if(Npc_HasItems(Trader,ItRi_Steel_Diam) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Diam,Npc_HasItems(Trader,ItRi_Steel_Diam)); }; if(Npc_HasItems(Trader,ItRi_Steel_Ruby) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Ruby,Npc_HasItems(Trader,ItRi_Steel_Ruby)); }; if(Npc_HasItems(Trader,ItRi_Steel_Emer) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Emer,Npc_HasItems(Trader,ItRi_Steel_Emer)); }; if(Npc_HasItems(Trader,ItRi_Steel_Sapp) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Sapp,Npc_HasItems(Trader,ItRi_Steel_Sapp));}; if(Npc_HasItems(Trader,ItRi_Steel_Opal) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Opal,Npc_HasItems(Trader,ItRi_Steel_Opal));}; if(Npc_HasItems(Trader,ItRi_Steel_Topa) > 0) { Npc_RemoveInvItems(Trader,ItRi_Steel_Topa,Npc_HasItems(Trader,ItRi_Steel_Topa));}; if(Npc_HasItems(Trader,ItRi_Gold_Diam) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Diam,Npc_HasItems(Trader,ItRi_Gold_Diam));}; if(Npc_HasItems(Trader,ItRi_Gold_Ruby) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Ruby,Npc_HasItems(Trader,ItRi_Gold_Ruby));}; if(Npc_HasItems(Trader,ItRi_Gold_Emer) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Emer,Npc_HasItems(Trader,ItRi_Gold_Emer));}; if(Npc_HasItems(Trader,ItRi_Gold_Sapp) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Sapp,Npc_HasItems(Trader,ItRi_Gold_Sapp));}; if(Npc_HasItems(Trader,ItRi_Gold_Opal) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Opal,Npc_HasItems(Trader,ItRi_Gold_Opal));}; if(Npc_HasItems(Trader,ItRi_Gold_Topa) > 0) { Npc_RemoveInvItems(Trader,ItRi_Gold_Topa,Npc_HasItems(Trader,ItRi_Gold_Topa));}; if(Npc_HasItems(Trader,ItRi_Ore_Diam) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Diam,Npc_HasItems(Trader,ItRi_Ore_Diam));}; if(Npc_HasItems(Trader,ItRi_Ore_Ruby) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Ruby,Npc_HasItems(Trader,ItRi_Ore_Ruby));}; if(Npc_HasItems(Trader,ItRi_Ore_Emer) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Emer,Npc_HasItems(Trader,ItRi_Ore_Emer));}; if(Npc_HasItems(Trader,ItRi_Ore_Sapp) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Sapp,Npc_HasItems(Trader,ItRi_Ore_Sapp));}; if(Npc_HasItems(Trader,ItRi_Ore_Opal) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Opal,Npc_HasItems(Trader,ItRi_Ore_Opal));}; if(Npc_HasItems(Trader,ItRi_Ore_Topa) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ore_Topa,Npc_HasItems(Trader,ItRi_Ore_Topa));}; if(Npc_HasItems(Trader,ItRi_Loa) > 0) { Npc_RemoveInvItems(Trader,ItRi_Loa,Npc_HasItems(Trader,ItRi_Loa));}; if(Npc_HasItems(Trader,ITRU_TELEPORTDAGOT) > 0) { Npc_RemoveInvItems(Trader,ITRU_TELEPORTDAGOT,Npc_HasItems(Trader,ITRU_TELEPORTDAGOT));}; if(Npc_HasItems(Trader,ITRU_ORCTELEPORT) > 0) { Npc_RemoveInvItems(Trader,ITRU_ORCTELEPORT,Npc_HasItems(Trader,ITRU_ORCTELEPORT));}; if(Npc_HasItems(Trader,ItRu_PalTeleportSecret) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalTeleportSecret,Npc_HasItems(Trader,ItRu_PalTeleportSecret));}; if(Npc_HasItems(Trader,ItRu_PalLight) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalLight,Npc_HasItems(Trader,ItRu_PalLight));}; if(Npc_HasItems(Trader,ItRu_PalLightHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalLightHeal,Npc_HasItems(Trader,ItRu_PalLightHeal));}; if(Npc_HasItems(Trader,ItRu_PalMediumHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalMediumHeal,Npc_HasItems(Trader,ItRu_PalMediumHeal));}; if(Npc_HasItems(Trader,ItRu_PalFullHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalFullHeal,Npc_HasItems(Trader,ItRu_PalFullHeal));}; if(Npc_HasItems(Trader,ItRu_PalHolyBolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalHolyBolt,Npc_HasItems(Trader,ItRu_PalHolyBolt));}; if(Npc_HasItems(Trader,ItRu_PalRepelEvil) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalRepelEvil,Npc_HasItems(Trader,ItRu_PalRepelEvil));}; if(Npc_HasItems(Trader,ItRu_PalDestroyEvil) > 0) { Npc_RemoveInvItems(Trader,ItRu_PalDestroyEvil,Npc_HasItems(Trader,ItRu_PalDestroyEvil));}; if(Npc_HasItems(Trader,ItRu_Light) > 0) { Npc_RemoveInvItems(Trader,ItRu_Light,Npc_HasItems(Trader,ItRu_Light));}; if(Npc_HasItems(Trader,ItRu_Light_Pyr) > 0) { Npc_RemoveInvItems(Trader,ItRu_Light_Pyr,Npc_HasItems(Trader,ItRu_Light_Pyr));}; if(Npc_HasItems(Trader,ItRu_LightHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_LightHeal,Npc_HasItems(Trader,ItRu_LightHeal));}; if(Npc_HasItems(Trader,ItRu_FireBolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_FireBolt,Npc_HasItems(Trader,ItRu_FireBolt));}; if(Npc_HasItems(Trader,ItRu_Unlock) > 0) { Npc_RemoveInvItems(Trader,ItRu_Unlock,Npc_HasItems(Trader,ItRu_Unlock)); }; if(Npc_HasItems(Trader,ItRu_RapidFirebolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_RapidFirebolt,Npc_HasItems(Trader,ItRu_RapidFirebolt)); }; if(Npc_HasItems(Trader,ItRu_RapidIcebolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_RapidIcebolt,Npc_HasItems(Trader,ItRu_RapidIcebolt)); }; if(Npc_HasItems(Trader,ItRu_Rage) > 0) { Npc_RemoveInvItems(Trader,ItRu_Rage,Npc_HasItems(Trader,ItRu_Rage)); }; if(Npc_HasItems(Trader,ItRu_Quake) > 0) { Npc_RemoveInvItems(Trader,ItRu_Quake,Npc_HasItems(Trader,ItRu_Quake)); }; if(Npc_HasItems(Trader,ItRu_MagicCage) > 0) { Npc_RemoveInvItems(Trader,ItRu_MagicCage,Npc_HasItems(Trader,ItRu_MagicCage)); }; if(Npc_HasItems(Trader,ItRu_Lacerate) > 0) { Npc_RemoveInvItems(Trader,ItRu_Lacerate,Npc_HasItems(Trader,ItRu_Lacerate)); }; if(Npc_HasItems(Trader,ItRu_Extricate) > 0) { Npc_RemoveInvItems(Trader,ItRu_Extricate,Npc_HasItems(Trader,ItRu_Extricate)); }; if(Npc_HasItems(Trader,ItRu_Explosion) > 0) { Npc_RemoveInvItems(Trader,ItRu_Explosion,Npc_HasItems(Trader,ItRu_Explosion)); }; if(Npc_HasItems(Trader,ItRu_Elevate) > 0) { Npc_RemoveInvItems(Trader,ItRu_Elevate,Npc_HasItems(Trader,ItRu_Elevate)); }; if(Npc_HasItems(Trader,ItRu_AdanosBall) > 0) { Npc_RemoveInvItems(Trader,ItRu_AdanosBall,Npc_HasItems(Trader,ItRu_AdanosBall)); }; if(Npc_HasItems(Trader,ItRu_Acid) > 0) { Npc_RemoveInvItems(Trader,ItRu_Acid,Npc_HasItems(Trader,ItRu_Acid)); }; if(Npc_HasItems(Trader,ItRu_Zap) > 0) { Npc_RemoveInvItems(Trader,ItRu_Zap,Npc_HasItems(Trader,ItRu_Zap));}; if(Npc_HasItems(Trader,ItRu_Icebolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_Icebolt,Npc_HasItems(Trader,ItRu_Icebolt));}; if(Npc_HasItems(Trader,ItRu_Sleep) > 0) { Npc_RemoveInvItems(Trader,ItRu_Sleep,Npc_HasItems(Trader,ItRu_Sleep));}; if(Npc_HasItems(Trader,ITRU_BERZERK) > 0) { Npc_RemoveInvItems(Trader,ITRU_BERZERK,Npc_HasItems(Trader,ITRU_BERZERK));}; if(Npc_HasItems(Trader,ItRu_Deathbolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_Deathbolt,Npc_HasItems(Trader,ItRu_Deathbolt));}; if(Npc_HasItems(Trader,ItRu_SumGobSkel) > 0) { Npc_RemoveInvItems(Trader,ItRu_SumGobSkel,Npc_HasItems(Trader,ItRu_SumGobSkel));}; if(Npc_HasItems(Trader,ItRu_SumWolf) > 0) { Npc_RemoveInvItems(Trader,ItRu_SumWolf,Npc_HasItems(Trader,ItRu_SumWolf));}; if(Npc_HasItems(Trader,ItRu_MediumHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_MediumHeal,Npc_HasItems(Trader,ItRu_MediumHeal));}; if(Npc_HasItems(Trader,ItRu_HarmUndead) > 0) { Npc_RemoveInvItems(Trader,ItRu_HarmUndead,Npc_HasItems(Trader,ItRu_HarmUndead));}; if(Npc_HasItems(Trader,ItRu_InstantFireball) > 0) { Npc_RemoveInvItems(Trader,ItRu_InstantFireball,Npc_HasItems(Trader,ItRu_InstantFireball));}; if(Npc_HasItems(Trader,ItRu_Icelance) > 0) { Npc_RemoveInvItems(Trader,ItRu_Icelance,Npc_HasItems(Trader,ItRu_Icelance));}; if(Npc_HasItems(Trader,ITRU_SUMSHOAL) > 0) { Npc_RemoveInvItems(Trader,ITRU_SUMSHOAL,Npc_HasItems(Trader,ITRU_SUMSHOAL));}; if(Npc_HasItems(Trader,ItRu_Windfist) > 0) { Npc_RemoveInvItems(Trader,ItRu_Windfist,Npc_HasItems(Trader,ItRu_Windfist));}; if(Npc_HasItems(Trader,ITRU_TELEKINESIS) > 0) { Npc_RemoveInvItems(Trader,ITRU_TELEKINESIS,Npc_HasItems(Trader,ITRU_TELEKINESIS));}; if(Npc_HasItems(Trader,ItRu_GreenTentacle) > 0) { Npc_RemoveInvItems(Trader,ItRu_GreenTentacle,Npc_HasItems(Trader,ItRu_GreenTentacle));}; if(Npc_HasItems(Trader,ItRu_ManaForLife) > 0) { Npc_RemoveInvItems(Trader,ItRu_ManaForLife,Npc_HasItems(Trader,ItRu_ManaForLife));}; if(Npc_HasItems(Trader,ItRu_SummonZombie) > 0) { Npc_RemoveInvItems(Trader,ItRu_SummonZombie,Npc_HasItems(Trader,ItRu_SummonZombie));}; if(Npc_HasItems(Trader,ItRu_FullHeal) > 0) { Npc_RemoveInvItems(Trader,ItRu_FullHeal,Npc_HasItems(Trader,ItRu_FullHeal));}; if(Npc_HasItems(Trader,ItRu_Firestorm) > 0) { Npc_RemoveInvItems(Trader,ItRu_Firestorm,Npc_HasItems(Trader,ItRu_Firestorm));}; if(Npc_HasItems(Trader,ItRu_IceCube) > 0) { Npc_RemoveInvItems(Trader,ItRu_IceCube,Npc_HasItems(Trader,ItRu_IceCube));}; if(Npc_HasItems(Trader,ItRu_ThunderBall) > 0) { Npc_RemoveInvItems(Trader,ItRu_ThunderBall,Npc_HasItems(Trader,ItRu_ThunderBall));}; if(Npc_HasItems(Trader,ItRu_Fear) > 0) { Npc_RemoveInvItems(Trader,ItRu_Fear,Npc_HasItems(Trader,ItRu_Fear));}; if(Npc_HasItems(Trader,ITRU_CHARM) > 0) { Npc_RemoveInvItems(Trader,ITRU_CHARM,Npc_HasItems(Trader,ITRU_CHARM));}; if(Npc_HasItems(Trader,ItRu_Swarm) > 0) { Npc_RemoveInvItems(Trader,ItRu_Swarm,Npc_HasItems(Trader,ItRu_Swarm));}; if(Npc_HasItems(Trader,ItRu_SumSkel) > 0) { Npc_RemoveInvItems(Trader,ItRu_SumSkel,Npc_HasItems(Trader,ItRu_SumSkel));}; if(Npc_HasItems(Trader,ItRu_BeliarsRage) > 0) { Npc_RemoveInvItems(Trader,ItRu_BeliarsRage,Npc_HasItems(Trader,ItRu_BeliarsRage));}; if(Npc_HasItems(Trader,ItRu_SummonGuardian) > 0) { Npc_RemoveInvItems(Trader,ItRu_SummonGuardian,Npc_HasItems(Trader,ItRu_SummonGuardian));}; if(Npc_HasItems(Trader,ItRu_SumGol) > 0) { Npc_RemoveInvItems(Trader,ItRu_SumGol,Npc_HasItems(Trader,ItRu_SumGol));}; if(Npc_HasItems(Trader,ITRU_SUMFIREGOL) > 0) { Npc_RemoveInvItems(Trader,ITRU_SUMFIREGOL,Npc_HasItems(Trader,ITRU_SUMFIREGOL));}; if(Npc_HasItems(Trader,ItRu_ChargeFireball) > 0) { Npc_RemoveInvItems(Trader,ItRu_ChargeFireball,Npc_HasItems(Trader,ItRu_ChargeFireball));}; if(Npc_HasItems(Trader,ITRU_FIRELIGHT) > 0) { Npc_RemoveInvItems(Trader,ITRU_FIRELIGHT,Npc_HasItems(Trader,ITRU_FIRELIGHT));}; if(Npc_HasItems(Trader,ItRu_LightningFlash) > 0) { Npc_RemoveInvItems(Trader,ItRu_LightningFlash,Npc_HasItems(Trader,ItRu_LightningFlash));}; if(Npc_HasItems(Trader,ITRU_SUMICEGOL) > 0) { Npc_RemoveInvItems(Trader,ITRU_SUMICEGOL,Npc_HasItems(Trader,ITRU_SUMICEGOL));}; if(Npc_HasItems(Trader,ITRU_SEVEREFETIDITY) > 0) { Npc_RemoveInvItems(Trader,ITRU_SEVEREFETIDITY,Npc_HasItems(Trader,ITRU_SEVEREFETIDITY));}; if(Npc_HasItems(Trader,ItRu_Whirlwind) > 0) { Npc_RemoveInvItems(Trader,ItRu_Whirlwind,Npc_HasItems(Trader,ItRu_Whirlwind));}; if(Npc_HasItems(Trader,ItRu_SumDemon) > 0) { Npc_RemoveInvItems(Trader,ItRu_SumDemon,Npc_HasItems(Trader,ItRu_SumDemon));}; if(Npc_HasItems(Trader,ItRu_Deathball) > 0) { Npc_RemoveInvItems(Trader,ItRu_Deathball,Npc_HasItems(Trader,ItRu_Deathball));}; if(Npc_HasItems(Trader,ItRu_BreathOfDeath) > 0) { Npc_RemoveInvItems(Trader,ItRu_BreathOfDeath,Npc_HasItems(Trader,ItRu_BreathOfDeath));}; if(Npc_HasItems(Trader,ITRU_ELIGORDEMONS) > 0) { Npc_RemoveInvItems(Trader,ITRU_ELIGORDEMONS,Npc_HasItems(Trader,ITRU_ELIGORDEMONS));}; if(Npc_HasItems(Trader,ITRU_BELIARSUPERRUNE) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSUPERRUNE,Npc_HasItems(Trader,ITRU_BELIARSUPERRUNE));}; if(Npc_HasItems(Trader,ItRu_OrcFireball) > 0) { Npc_RemoveInvItems(Trader,ItRu_OrcFireball,Npc_HasItems(Trader,ItRu_OrcFireball));}; if(Npc_HasItems(Trader,ItRu_Pyrokinesis) > 0) { Npc_RemoveInvItems(Trader,ItRu_Pyrokinesis,Npc_HasItems(Trader,ItRu_Pyrokinesis));}; if(Npc_HasItems(Trader,ItRu_Waterfist) > 0) { Npc_RemoveInvItems(Trader,ItRu_Waterfist,Npc_HasItems(Trader,ItRu_Waterfist));}; if(Npc_HasItems(Trader,ItRu_IceWave) > 0) { Npc_RemoveInvItems(Trader,ItRu_IceWave,Npc_HasItems(Trader,ItRu_IceWave));}; if(Npc_HasItems(Trader,ITRU_CONTROL) > 0) { Npc_RemoveInvItems(Trader,ITRU_CONTROL,Npc_HasItems(Trader,ITRU_CONTROL));}; if(Npc_HasItems(Trader,ItRu_ArmyOfDarkness) > 0) { Npc_RemoveInvItems(Trader,ItRu_ArmyOfDarkness,Npc_HasItems(Trader,ItRu_ArmyOfDarkness));}; if(Npc_HasItems(Trader,ITRU_SUMSWPGOL) > 0) { Npc_RemoveInvItems(Trader,ITRU_SUMSWPGOL,Npc_HasItems(Trader,ITRU_SUMSWPGOL));}; if(Npc_HasItems(Trader,ItRu_Firerain) > 0) { Npc_RemoveInvItems(Trader,ItRu_Firerain,Npc_HasItems(Trader,ItRu_Firerain));}; if(Npc_HasItems(Trader,ItRu_FireMeteor) > 0) { Npc_RemoveInvItems(Trader,ItRu_FireMeteor,Npc_HasItems(Trader,ItRu_FireMeteor));}; if(Npc_HasItems(Trader,ItRu_Geyser) > 0) { Npc_RemoveInvItems(Trader,ItRu_Geyser,Npc_HasItems(Trader,ItRu_Geyser));}; if(Npc_HasItems(Trader,ItRu_Thunderstorm) > 0) { Npc_RemoveInvItems(Trader,ItRu_Thunderstorm,Npc_HasItems(Trader,ItRu_Thunderstorm));}; if(Npc_HasItems(Trader,ItRu_MassDeath) > 0) { Npc_RemoveInvItems(Trader,ItRu_MassDeath,Npc_HasItems(Trader,ItRu_MassDeath));}; if(Npc_HasItems(Trader,ItRu_Skull) > 0) { Npc_RemoveInvItems(Trader,ItRu_Skull,Npc_HasItems(Trader,ItRu_Skull));}; if(Npc_HasItems(Trader,ItRu_GuruWrath) > 0) { Npc_RemoveInvItems(Trader,ItRu_GuruWrath,Npc_HasItems(Trader,ItRu_GuruWrath));}; if(Npc_HasItems(Trader,ItRu_MasterOfDisaster) > 0) { Npc_RemoveInvItems(Trader,ItRu_MasterOfDisaster,Npc_HasItems(Trader,ItRu_MasterOfDisaster));}; if(Npc_HasItems(Trader,ItRu_Concussionbolt) > 0) { Npc_RemoveInvItems(Trader,ItRu_Concussionbolt,Npc_HasItems(Trader,ItRu_Concussionbolt));}; if(Npc_HasItems(Trader,ITRU_TPLHEAL_00) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLHEAL_00,Npc_HasItems(Trader,ITRU_TPLHEAL_00));}; if(Npc_HasItems(Trader,ITRU_TPLHEAL_01) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLHEAL_01,Npc_HasItems(Trader,ITRU_TPLHEAL_01));}; if(Npc_HasItems(Trader,ITRU_TPLHEAL_02) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLHEAL_02,Npc_HasItems(Trader,ITRU_TPLHEAL_02));}; if(Npc_HasItems(Trader,ITRU_TPLHEAL_03) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLHEAL_03,Npc_HasItems(Trader,ITRU_TPLHEAL_03));}; if(Npc_HasItems(Trader,ITRU_TPLSTRIKE_00) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLSTRIKE_00,Npc_HasItems(Trader,ITRU_TPLSTRIKE_00));}; if(Npc_HasItems(Trader,ITRU_TPLSTRIKE_01) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLSTRIKE_01,Npc_HasItems(Trader,ITRU_TPLSTRIKE_01));}; if(Npc_HasItems(Trader,ITRU_TPLSTRIKE_02) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLSTRIKE_02,Npc_HasItems(Trader,ITRU_TPLSTRIKE_02));}; if(Npc_HasItems(Trader,ITRU_TPLSTRIKE_03) > 0) { Npc_RemoveInvItems(Trader,ITRU_TPLSTRIKE_03,Npc_HasItems(Trader,ITRU_TPLSTRIKE_03));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE01) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE01,Npc_HasItems(Trader,ITRU_BELIARSRUNE01));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE02) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE02,Npc_HasItems(Trader,ITRU_BELIARSRUNE02));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE03) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE03,Npc_HasItems(Trader,ITRU_BELIARSRUNE03));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE04) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE04,Npc_HasItems(Trader,ITRU_BELIARSRUNE04));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE05) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE05,Npc_HasItems(Trader,ITRU_BELIARSRUNE05));}; if(Npc_HasItems(Trader,ITRU_BELIARSRUNE06) > 0) { Npc_RemoveInvItems(Trader,ITRU_BELIARSRUNE06,Npc_HasItems(Trader,ITRU_BELIARSRUNE06));}; if(Npc_HasItems(Trader,ITRU_MORAULARTU) > 0) { Npc_RemoveInvItems(Trader,ITRU_MORAULARTU,Npc_HasItems(Trader,ITRU_MORAULARTU));}; if(Npc_HasItems(Trader,ITRU_CRESTELEMENTS) > 0) { Npc_RemoveInvItems(Trader,ITRU_CRESTELEMENTS,Npc_HasItems(Trader,ITRU_CRESTELEMENTS));}; if(Npc_HasItems(Trader,ItRu_PyroRune) > 0) { Npc_RemoveInvItems(Trader,ItRu_PyroRune,Npc_HasItems(Trader,ItRu_PyroRune));}; if(Npc_HasItems(Trader,ITRU_DESTROYGUARDIANS) > 0) { Npc_RemoveInvItems(Trader,ITRU_DESTROYGUARDIANS,Npc_HasItems(Trader,ITRU_DESTROYGUARDIANS));}; if(Npc_HasItems(Trader,ITRU_SUMTREANT) > 0) { Npc_RemoveInvItems(Trader,ITRU_SUMTREANT,Npc_HasItems(Trader,ITRU_SUMTREANT));}; if(Npc_HasItems(Trader,ItRu_EligorSummon) > 0) { Npc_RemoveInvItems(Trader,ItRu_EligorSummon,Npc_HasItems(Trader,ItRu_EligorSummon));}; if(Npc_HasItems(Trader,ItRu_TrfBloodFly) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfBloodFly,Npc_HasItems(Trader,ItRu_TrfBloodFly));}; if(Npc_HasItems(Trader,ItRu_TrfFireWaran) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfFireWaran,Npc_HasItems(Trader,ItRu_TrfFireWaran));}; if(Npc_HasItems(Trader,ItRu_TrfWarg) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfWarg,Npc_HasItems(Trader,ItRu_TrfWarg));}; if(Npc_HasItems(Trader,ItRu_TrfShadowbeast) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfShadowbeast,Npc_HasItems(Trader,ItRu_TrfShadowbeast));}; if(Npc_HasItems(Trader,ItRu_TrfDragonSnapper) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfDragonSnapper,Npc_HasItems(Trader,ItRu_TrfDragonSnapper));}; if(Npc_HasItems(Trader,ItRu_TrfTroll) > 0) { Npc_RemoveInvItems(Trader,ItRu_TrfTroll,Npc_HasItems(Trader,ItRu_TrfTroll));}; if(Npc_HasItems(Trader,ItRu_ShadowMount) > 0) { Npc_RemoveInvItems(Trader,ItRu_ShadowMount,Npc_HasItems(Trader,ItRu_ShadowMount));}; if(Npc_HasItems(Trader,ItRu_GlobalTeleport) > 0) { Npc_RemoveInvItems(Trader,ItRu_GlobalTeleport,Npc_HasItems(Trader,ItRu_GlobalTeleport));}; if(Npc_HasItems(Trader,ItSc_PalLight) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalLight,Npc_HasItems(Trader,ItSc_PalLight));}; if(Npc_HasItems(Trader,ItSc_Light) > 0) { Npc_RemoveInvItems(Trader,ItSc_Light,Npc_HasItems(Trader,ItSc_Light));}; if(Npc_HasItems(Trader,ItSc_PalLightHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalLightHeal,Npc_HasItems(Trader,ItSc_PalLightHeal));}; if(Npc_HasItems(Trader,ItSc_PalHolyBolt) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalHolyBolt,Npc_HasItems(Trader,ItSc_PalHolyBolt));}; if(Npc_HasItems(Trader,ItSc_PalMediumHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalMediumHeal,Npc_HasItems(Trader,ItSc_PalMediumHeal));}; if(Npc_HasItems(Trader,ItSc_PalRepelEvil) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalRepelEvil,Npc_HasItems(Trader,ItSc_PalRepelEvil));}; if(Npc_HasItems(Trader,ItSc_PalFullHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalFullHeal,Npc_HasItems(Trader,ItSc_PalFullHeal));}; if(Npc_HasItems(Trader,ItSc_PalDestroyEvil) > 0) { Npc_RemoveInvItems(Trader,ItSc_PalDestroyEvil,Npc_HasItems(Trader,ItSc_PalDestroyEvil));}; if(Npc_HasItems(Trader,ItSc_LightHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_LightHeal,Npc_HasItems(Trader,ItSc_LightHeal));}; if(Npc_HasItems(Trader,ItSc_SumWolf) > 0) { Npc_RemoveInvItems(Trader,ItSc_SumWolf,Npc_HasItems(Trader,ItSc_SumWolf));}; if(Npc_HasItems(Trader,ItSc_MediumHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_MediumHeal,Npc_HasItems(Trader,ItSc_MediumHeal));}; if(Npc_HasItems(Trader,ItSc_HarmUndead) > 0) { Npc_RemoveInvItems(Trader,ItSc_HarmUndead,Npc_HasItems(Trader,ItSc_HarmUndead));}; if(Npc_HasItems(Trader,ItSc_FullHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_FullHeal,Npc_HasItems(Trader,ItSc_FullHeal));}; if(Npc_HasItems(Trader,ItSc_Shrink) > 0) { Npc_RemoveInvItems(Trader,ItSc_Shrink,Npc_HasItems(Trader,ItSc_Shrink));}; if(Npc_HasItems(Trader,ItSc_Firebolt) > 0) { Npc_RemoveInvItems(Trader,ItSc_Firebolt,Npc_HasItems(Trader,ItSc_Firebolt));}; if(Npc_HasItems(Trader,ItSc_Unlock) > 0) { Npc_RemoveInvItems(Trader,ItSc_Unlock,Npc_HasItems(Trader,ItSc_Unlock)); }; if(Npc_HasItems(Trader,ItSc_RapidFirebolt) > 0) { Npc_RemoveInvItems(Trader,ItSc_RapidFirebolt,Npc_HasItems(Trader,ItSc_RapidFirebolt)); }; if(Npc_HasItems(Trader,ItSc_RapidIcebolt) > 0) { Npc_RemoveInvItems(Trader,ItSc_RapidIcebolt,Npc_HasItems(Trader,ItSc_RapidIcebolt)); }; if(Npc_HasItems(Trader,ItSc_Rage) > 0) { Npc_RemoveInvItems(Trader,ItSc_Rage,Npc_HasItems(Trader,ItSc_Rage)); }; if(Npc_HasItems(Trader,ItSc_Quake) > 0) { Npc_RemoveInvItems(Trader,ItSc_Quake,Npc_HasItems(Trader,ItSc_Quake)); }; if(Npc_HasItems(Trader,ItSc_MagicCage) > 0) { Npc_RemoveInvItems(Trader,ItSc_MagicCage,Npc_HasItems(Trader,ItSc_MagicCage)); }; if(Npc_HasItems(Trader,ItSc_Lacerate) > 0) { Npc_RemoveInvItems(Trader,ItSc_Lacerate,Npc_HasItems(Trader,ItSc_Lacerate)); }; if(Npc_HasItems(Trader,ItSc_Extricate) > 0) { Npc_RemoveInvItems(Trader,ItSc_Extricate,Npc_HasItems(Trader,ItSc_Extricate)); }; if(Npc_HasItems(Trader,ItSc_Explosion) > 0) { Npc_RemoveInvItems(Trader,ItSc_Explosion,Npc_HasItems(Trader,ItSc_Explosion)); }; if(Npc_HasItems(Trader,ItSc_Elevate) > 0) { Npc_RemoveInvItems(Trader,ItSc_Elevate,Npc_HasItems(Trader,ItSc_Elevate)); }; if(Npc_HasItems(Trader,ItSc_AdanosBall) > 0) { Npc_RemoveInvItems(Trader,ItSc_AdanosBall,Npc_HasItems(Trader,ItSc_AdanosBall)); }; if(Npc_HasItems(Trader,ItSc_Acid) > 0) { Npc_RemoveInvItems(Trader,ItSc_Acid,Npc_HasItems(Trader,ItSc_Acid)); }; if(Npc_HasItems(Trader,ItSc_InstantFireball) > 0) { Npc_RemoveInvItems(Trader,ItSc_InstantFireball,Npc_HasItems(Trader,ItSc_InstantFireball));}; if(Npc_HasItems(Trader,ItSc_Firestorm) > 0) { Npc_RemoveInvItems(Trader,ItSc_Firestorm,Npc_HasItems(Trader,ItSc_Firestorm));}; if(Npc_HasItems(Trader,ItSc_ChargeFireBall) > 0) { Npc_RemoveInvItems(Trader,ItSc_ChargeFireBall,Npc_HasItems(Trader,ItSc_ChargeFireBall));}; if(Npc_HasItems(Trader,ItSc_Pyrokinesis) > 0) { Npc_RemoveInvItems(Trader,ItSc_Pyrokinesis,Npc_HasItems(Trader,ItSc_Pyrokinesis));}; if(Npc_HasItems(Trader,ItSc_Firerain) > 0) { Npc_RemoveInvItems(Trader,ItSc_Firerain,Npc_HasItems(Trader,ItSc_Firerain));}; if(Npc_HasItems(Trader,ItSc_Zap) > 0) { Npc_RemoveInvItems(Trader,ItSc_Zap,Npc_HasItems(Trader,ItSc_Zap));}; if(Npc_HasItems(Trader,ItSc_Icelance) > 0) { Npc_RemoveInvItems(Trader,ItSc_Icelance,Npc_HasItems(Trader,ItSc_Icelance));}; if(Npc_HasItems(Trader,ItSc_Icebolt) > 0) { Npc_RemoveInvItems(Trader,ItSc_Icebolt,Npc_HasItems(Trader,ItSc_Icebolt));}; if(Npc_HasItems(Trader,ItSc_IceCube) > 0) { Npc_RemoveInvItems(Trader,ItSc_IceCube,Npc_HasItems(Trader,ItSc_IceCube));}; if(Npc_HasItems(Trader,ItSc_ThunderBall) > 0) { Npc_RemoveInvItems(Trader,ItSc_ThunderBall,Npc_HasItems(Trader,ItSc_ThunderBall));}; if(Npc_HasItems(Trader,ITSC_SUMSHOAL) > 0) { Npc_RemoveInvItems(Trader,ITSC_SUMSHOAL,Npc_HasItems(Trader,ITSC_SUMSHOAL));}; if(Npc_HasItems(Trader,ItSc_Waterfist) > 0) { Npc_RemoveInvItems(Trader,ItSc_Waterfist,Npc_HasItems(Trader,ItSc_Waterfist));}; if(Npc_HasItems(Trader,ItSc_LightningFlash) > 0) { Npc_RemoveInvItems(Trader,ItSc_LightningFlash,Npc_HasItems(Trader,ItSc_LightningFlash));}; if(Npc_HasItems(Trader,ItSc_IceWave) > 0) { Npc_RemoveInvItems(Trader,ItSc_IceWave,Npc_HasItems(Trader,ItSc_IceWave));}; if(Npc_HasItems(Trader,ItSc_Geyser) > 0) { Npc_RemoveInvItems(Trader,ItSc_Geyser,Npc_HasItems(Trader,ItSc_Geyser));}; if(Npc_HasItems(Trader,ItSc_Thunderstorm) > 0) { Npc_RemoveInvItems(Trader,ItSc_Thunderstorm,Npc_HasItems(Trader,ItSc_Thunderstorm));}; if(Npc_HasItems(Trader,ItSc_Sleep) > 0) { Npc_RemoveInvItems(Trader,ItSc_Sleep,Npc_HasItems(Trader,ItSc_Sleep));}; if(Npc_HasItems(Trader,ITSC_BERZERK) > 0) { Npc_RemoveInvItems(Trader,ITSC_BERZERK,Npc_HasItems(Trader,ITSC_BERZERK));}; if(Npc_HasItems(Trader,ItSc_Windfist) > 0) { Npc_RemoveInvItems(Trader,ItSc_Windfist,Npc_HasItems(Trader,ItSc_Windfist));}; if(Npc_HasItems(Trader,ItSc_Charm) > 0) { Npc_RemoveInvItems(Trader,ItSc_Charm,Npc_HasItems(Trader,ItSc_Charm));}; if(Npc_HasItems(Trader,ItSc_Fear) > 0) { Npc_RemoveInvItems(Trader,ItSc_Fear,Npc_HasItems(Trader,ItSc_Fear));}; if(Npc_HasItems(Trader,ITSC_GREENTENTACLE) > 0) { Npc_RemoveInvItems(Trader,ITSC_GREENTENTACLE,Npc_HasItems(Trader,ITSC_GREENTENTACLE));}; if(Npc_HasItems(Trader,ITSC_SEVEREFETIDITY) > 0) { Npc_RemoveInvItems(Trader,ITSC_SEVEREFETIDITY,Npc_HasItems(Trader,ITSC_SEVEREFETIDITY));}; if(Npc_HasItems(Trader,ItSc_Whirlwind) > 0) { Npc_RemoveInvItems(Trader,ItSc_Whirlwind,Npc_HasItems(Trader,ItSc_Whirlwind));}; if(Npc_HasItems(Trader,ItSc_SumGobSkel) > 0) { Npc_RemoveInvItems(Trader,ItSc_SumGobSkel,Npc_HasItems(Trader,ItSc_SumGobSkel));}; if(Npc_HasItems(Trader,ItSc_SumSkel) > 0) { Npc_RemoveInvItems(Trader,ItSc_SumSkel,Npc_HasItems(Trader,ItSc_SumSkel));}; if(Npc_HasItems(Trader,ItSc_SumDemon) > 0) { Npc_RemoveInvItems(Trader,ItSc_SumDemon,Npc_HasItems(Trader,ItSc_SumDemon));}; if(Npc_HasItems(Trader,ItSc_ArmyOfDarkness) > 0) { Npc_RemoveInvItems(Trader,ItSc_ArmyOfDarkness,Npc_HasItems(Trader,ItSc_ArmyOfDarkness));}; if(Npc_HasItems(Trader,ITSC_DEATHBOLT) > 0) { Npc_RemoveInvItems(Trader,ITSC_DEATHBOLT,Npc_HasItems(Trader,ITSC_DEATHBOLT));}; if(Npc_HasItems(Trader,ITSC_ManaForLife) > 0) { Npc_RemoveInvItems(Trader,ITSC_ManaForLife,Npc_HasItems(Trader,ITSC_ManaForLife));}; if(Npc_HasItems(Trader,ITSC_SUMZOMBIE) > 0) { Npc_RemoveInvItems(Trader,ITSC_SUMZOMBIE,Npc_HasItems(Trader,ITSC_SUMZOMBIE));}; if(Npc_HasItems(Trader,ITSC_SWARM) > 0) { Npc_RemoveInvItems(Trader,ITSC_SWARM,Npc_HasItems(Trader,ITSC_SWARM));}; if(Npc_HasItems(Trader,ITSC_ENERGYBALL) > 0) { Npc_RemoveInvItems(Trader,ITSC_ENERGYBALL,Npc_HasItems(Trader,ITSC_ENERGYBALL));}; if(Npc_HasItems(Trader,ITSC_DEATHBALL) > 0) { Npc_RemoveInvItems(Trader,ITSC_DEATHBALL,Npc_HasItems(Trader,ITSC_DEATHBALL));}; if(Npc_HasItems(Trader,ItSc_MassDeath) > 0) { Npc_RemoveInvItems(Trader,ItSc_MassDeath,Npc_HasItems(Trader,ItSc_MassDeath));}; if(Npc_HasItems(Trader,ITSC_SKULL) > 0) { Npc_RemoveInvItems(Trader,ITSC_SKULL,Npc_HasItems(Trader,ITSC_SKULL));}; if(Npc_HasItems(Trader,ItSc_TrfSheep) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfSheep,Npc_HasItems(Trader,ItSc_TrfSheep));}; if(Npc_HasItems(Trader,ItSc_TrfScavenger) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfScavenger,Npc_HasItems(Trader,ItSc_TrfScavenger));}; if(Npc_HasItems(Trader,ItSc_TrfGiantBug) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfGiantBug,Npc_HasItems(Trader,ItSc_TrfGiantBug));}; if(Npc_HasItems(Trader,ItSc_TrfWolf) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfWolf,Npc_HasItems(Trader,ItSc_TrfWolf));}; if(Npc_HasItems(Trader,ItSc_TrfWaran) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfWaran,Npc_HasItems(Trader,ItSc_TrfWaran));}; if(Npc_HasItems(Trader,ItSc_TrfSnapper) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfSnapper,Npc_HasItems(Trader,ItSc_TrfSnapper));}; if(Npc_HasItems(Trader,ItSc_TrfWarg) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfWarg,Npc_HasItems(Trader,ItSc_TrfWarg));}; if(Npc_HasItems(Trader,ItSc_TrfFireWaran) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfFireWaran,Npc_HasItems(Trader,ItSc_TrfFireWaran));}; if(Npc_HasItems(Trader,ItSc_TrfLurker) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfLurker,Npc_HasItems(Trader,ItSc_TrfLurker));}; if(Npc_HasItems(Trader,ItSc_TrfShadowbeast) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfShadowbeast,Npc_HasItems(Trader,ItSc_TrfShadowbeast));}; if(Npc_HasItems(Trader,ItSc_TrfDragonSnapper) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfDragonSnapper,Npc_HasItems(Trader,ItSc_TrfDragonSnapper));}; if(Npc_HasItems(Trader,ItSc_TrfMeatBug) > 0) { Npc_RemoveInvItems(Trader,ItSc_TrfMeatBug,Npc_HasItems(Trader,ItSc_TrfMeatBug));}; if(Npc_HasItems(Trader,ItSc_BreathOfDeath) > 0) { Npc_RemoveInvItems(Trader,ItSc_BreathOfDeath,Npc_HasItems(Trader,ItSc_BreathOfDeath));}; if(Npc_HasItems(Trader,ItSc_SumGol) > 0) { Npc_RemoveInvItems(Trader,ItSc_SumGol,Npc_HasItems(Trader,ItSc_SumGol));}; if(Npc_HasItems(Trader,ITSC_SUMFIREGOL) > 0) { Npc_RemoveInvItems(Trader,ITSC_SUMFIREGOL,Npc_HasItems(Trader,ITSC_SUMFIREGOL));}; if(Npc_HasItems(Trader,ITSC_SUMICEGOL) > 0) { Npc_RemoveInvItems(Trader,ITSC_SUMICEGOL,Npc_HasItems(Trader,ITSC_SUMICEGOL));}; if(Npc_HasItems(Trader,ITSC_SUMSWPGOL) > 0) { Npc_RemoveInvItems(Trader,ITSC_SUMSWPGOL,Npc_HasItems(Trader,ITSC_SUMSWPGOL));}; if(Npc_HasItems(Trader,ItSc_Ressurect) > 0) { Npc_RemoveInvItems(Trader,ItSc_Ressurect,Npc_HasItems(Trader,ItSc_Ressurect));}; if(Npc_HasItems(Trader,ItMi_Addon_Shell_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Shell_01,Npc_HasItems(Trader,ItMi_Addon_Shell_01));}; if(Npc_HasItems(Trader,ItMi_Addon_Shell_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Shell_02,Npc_HasItems(Trader,ItMi_Addon_Shell_02));}; if(Npc_HasItems(Trader,ItSe_ErzFisch) > 0) { Npc_RemoveInvItems(Trader,ItSe_ErzFisch,Npc_HasItems(Trader,ItSe_ErzFisch));}; if(Npc_HasItems(Trader,ItSe_GoldFisch) > 0) { Npc_RemoveInvItems(Trader,ItSe_GoldFisch,Npc_HasItems(Trader,ItSe_GoldFisch));}; if(Npc_HasItems(Trader,ItSe_Ringfisch) > 0) { Npc_RemoveInvItems(Trader,ItSe_Ringfisch,Npc_HasItems(Trader,ItSe_Ringfisch));}; if(Npc_HasItems(Trader,ItSe_LockpickFisch) > 0) { Npc_RemoveInvItems(Trader,ItSe_LockpickFisch,Npc_HasItems(Trader,ItSe_LockpickFisch));}; if(Npc_HasItems(Trader,ItMi_PocketFingers) > 0) { Npc_RemoveInvItems(Trader,ItMi_PocketFingers,Npc_HasItems(Trader,ItMi_PocketFingers));}; if(Npc_HasItems(Trader,ItMi_VatrasPurse) > 0) { Npc_RemoveInvItems(Trader,ItMi_VatrasPurse,Npc_HasItems(Trader,ItMi_VatrasPurse));}; if(Npc_HasItems(Trader,ItMi_HaniarPurse) > 0) { Npc_RemoveInvItems(Trader,ItMi_HaniarPurse,Npc_HasItems(Trader,ItMi_HaniarPurse));}; if(Npc_HasItems(Trader,ItMi_PurseOsair) > 0) { Npc_RemoveInvItems(Trader,ItMi_PurseOsair,Npc_HasItems(Trader,ItMi_PurseOsair));}; if(Npc_HasItems(Trader,ItSe_GoldPocket25) > 0) { Npc_RemoveInvItems(Trader,ItSe_GoldPocket25,Npc_HasItems(Trader,ItSe_GoldPocket25));}; if(Npc_HasItems(Trader,ITSE_LANZPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITSE_LANZPOCKET,Npc_HasItems(Trader,ITSE_LANZPOCKET));}; if(Npc_HasItems(Trader,ItSe_GoldPocket50) > 0) { Npc_RemoveInvItems(Trader,ItSe_GoldPocket50,Npc_HasItems(Trader,ItSe_GoldPocket50));}; if(Npc_HasItems(Trader,ItSe_GoldPocket100) > 0) { Npc_RemoveInvItems(Trader,ItSe_GoldPocket100,Npc_HasItems(Trader,ItSe_GoldPocket100));}; if(Npc_HasItems(Trader,ITSE_GERBRANDPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITSE_GERBRANDPOCKET,Npc_HasItems(Trader,ITSE_GERBRANDPOCKET));}; if(Npc_HasItems(Trader,ITSE_NIGELPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITSE_NIGELPOCKET,Npc_HasItems(Trader,ITSE_NIGELPOCKET));}; if(Npc_HasItems(Trader,ITSE_TALIASANPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITSE_TALIASANPOCKET,Npc_HasItems(Trader,ITSE_TALIASANPOCKET));}; if(Npc_HasItems(Trader,ItSe_HannasBeutel) > 0) { Npc_RemoveInvItems(Trader,ItSe_HannasBeutel,Npc_HasItems(Trader,ItSe_HannasBeutel));}; if(Npc_HasItems(Trader,ITSE_LUTTEROBIGPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITSE_LUTTEROBIGPOCKET,Npc_HasItems(Trader,ITSE_LUTTEROBIGPOCKET));}; if(Npc_HasItems(Trader,ItSe_Weapon_Sack) > 0) { Npc_RemoveInvItems(Trader,ItSe_Weapon_Sack,Npc_HasItems(Trader,ItSe_Weapon_Sack));}; if(Npc_HasItems(Trader,ItSe_Arrow_Sack) > 0) { Npc_RemoveInvItems(Trader,ItSe_Arrow_Sack,Npc_HasItems(Trader,ItSe_Arrow_Sack));}; if(Npc_HasItems(Trader,ItSe_GOLDSTACK) > 0) { Npc_RemoveInvItems(Trader,ItSe_GOLDSTACK,Npc_HasItems(Trader,ItSe_GOLDSTACK));}; if(Npc_HasItems(Trader,ItSl_GoldPocket) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket,Npc_HasItems(Trader,ItSl_GoldPocket));}; if(Npc_HasItems(Trader,ItSl_GoldPocket) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_Woman,Npc_HasItems(Trader,ItSl_GoldPocket_Woman));}; if(Npc_HasItems(Trader,ItSl_GoldPocket_Woman_New) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_Woman_New,Npc_HasItems(Trader,ItSl_GoldPocket_Woman_New));}; if(Npc_HasItems(Trader,ItSl_HeroBags) > 0) { Npc_RemoveInvItems(Trader,ItSl_HeroBags,Npc_HasItems(Trader,ItSl_HeroBags));}; if(Npc_HasItems(Trader,ItSl_CraitBag) > 0) { Npc_RemoveInvItems(Trader,ItSl_CraitBag,Npc_HasItems(Trader,ItSl_CraitBag));}; if(Npc_HasItems(Trader,ItSl_HeroPocket) > 0) { Npc_RemoveInvItems(Trader,ItSl_HeroPocket,Npc_HasItems(Trader,ItSl_HeroPocket));}; if(Npc_HasItems(Trader,ItSl_GoldPocket_None) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_None,Npc_HasItems(Trader,ItSl_GoldPocket_None));}; if(Npc_HasItems(Trader,ItSl_GoldPocket_Low) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_Low,Npc_HasItems(Trader,ItSl_GoldPocket_Low));}; if(Npc_HasItems(Trader,ItSl_GoldPocket_Medium) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_Medium,Npc_HasItems(Trader,ItSl_GoldPocket_Medium));}; if(Npc_HasItems(Trader,ItSl_GoldPocket_Full) > 0) { Npc_RemoveInvItems(Trader,ItSl_GoldPocket_Full,Npc_HasItems(Trader,ItSl_GoldPocket_Full));}; if(Npc_HasItems(Trader,Itar_Avabul_Wings) > 0) { Npc_RemoveInvItems(Trader,Itar_Avabul_Wings,Npc_HasItems(Trader,Itar_Avabul_Wings));}; if(Npc_HasItems(Trader,Itar_Ghost_Candle) > 0) { Npc_RemoveInvItems(Trader,Itar_Ghost_Candle,Npc_HasItems(Trader,Itar_Ghost_Candle));}; if(Npc_HasItems(Trader,ITMI_GHOST_TORCH_01) > 0) { Npc_RemoveInvItems(Trader,ITMI_GHOST_TORCH_01,Npc_HasItems(Trader,ITMI_GHOST_TORCH_01));}; if(Npc_HasItems(Trader,ItWr_StrStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_StrStonePlate1_Addon,Npc_HasItems(Trader,ItWr_StrStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_StrStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_StrStonePlate2_Addon,Npc_HasItems(Trader,ItWr_StrStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_StrStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_StrStonePlate3_Addon,Npc_HasItems(Trader,ItWr_StrStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_DexStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_DexStonePlate1_Addon,Npc_HasItems(Trader,ItWr_DexStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_DexStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_DexStonePlate2_Addon,Npc_HasItems(Trader,ItWr_DexStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_DexStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_DexStonePlate3_Addon,Npc_HasItems(Trader,ItWr_DexStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_HitPointStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_HitPointStonePlate1_Addon,Npc_HasItems(Trader,ItWr_HitPointStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_HitPointStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_HitPointStonePlate2_Addon,Npc_HasItems(Trader,ItWr_HitPointStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_HitPointStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_HitPointStonePlate3_Addon,Npc_HasItems(Trader,ItWr_HitPointStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_ManaStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_ManaStonePlate1_Addon,Npc_HasItems(Trader,ItWr_ManaStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_ManaStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_ManaStonePlate2_Addon,Npc_HasItems(Trader,ItWr_ManaStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_ManaStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_ManaStonePlate3_Addon,Npc_HasItems(Trader,ItWr_ManaStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_OneHStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_OneHStonePlate1_Addon,Npc_HasItems(Trader,ItWr_OneHStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_OneHStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_OneHStonePlate2_Addon,Npc_HasItems(Trader,ItWr_OneHStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_OneHStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_OneHStonePlate3_Addon,Npc_HasItems(Trader,ItWr_OneHStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_TwoHStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_TwoHStonePlate1_Addon,Npc_HasItems(Trader,ItWr_TwoHStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_TwoHStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_TwoHStonePlate2_Addon,Npc_HasItems(Trader,ItWr_TwoHStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_TwoHStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_TwoHStonePlate3_Addon,Npc_HasItems(Trader,ItWr_TwoHStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_BowStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_BowStonePlate1_Addon,Npc_HasItems(Trader,ItWr_BowStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_BowStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_BowStonePlate2_Addon,Npc_HasItems(Trader,ItWr_BowStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_BowStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_BowStonePlate3_Addon,Npc_HasItems(Trader,ItWr_BowStonePlate3_Addon));}; if(Npc_HasItems(Trader,ItWr_CrsBowStonePlate1_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_CrsBowStonePlate1_Addon,Npc_HasItems(Trader,ItWr_CrsBowStonePlate1_Addon));}; if(Npc_HasItems(Trader,ItWr_CrsBowStonePlate2_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_CrsBowStonePlate2_Addon,Npc_HasItems(Trader,ItWr_CrsBowStonePlate2_Addon));}; if(Npc_HasItems(Trader,ItWr_CrsBowStonePlate3_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_CrsBowStonePlate3_Addon,Npc_HasItems(Trader,ItWr_CrsBowStonePlate3_Addon));}; if(Npc_HasItems(Trader,ITWR_STAMINAPOINTSTONEPLATE) > 0) { Npc_RemoveInvItems(Trader,ITWR_STAMINAPOINTSTONEPLATE,Npc_HasItems(Trader,ITWR_STAMINAPOINTSTONEPLATE));}; if(Npc_HasItems(Trader,ItLsTorch) > 0) { Npc_RemoveInvItems(Trader,ItLsTorch,Npc_HasItems(Trader,ItLsTorch));}; if(Npc_HasItems(Trader,ItLsTorchburning) > 0) { Npc_RemoveInvItems(Trader,ItLsTorchburning,Npc_HasItems(Trader,ItLsTorchburning));}; if(Npc_HasItems(Trader,ItLsTorchburned) > 0) { Npc_RemoveInvItems(Trader,ItLsTorchburned,Npc_HasItems(Trader,ItLsTorchburned));}; if(Npc_HasItems(Trader,ItLsTorchFirespit) > 0) { Npc_RemoveInvItems(Trader,ItLsTorchFirespit,Npc_HasItems(Trader,ItLsTorchFirespit));}; if(Npc_HasItems(Trader,ItLsFireTorch) > 0) { Npc_RemoveInvItems(Trader,ItLsFireTorch,Npc_HasItems(Trader,ItLsFireTorch));}; if(Npc_HasItems(Trader,ItWr_Canthars_KomproBrief_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Canthars_KomproBrief_MIS,Npc_HasItems(Trader,ItWr_Canthars_KomproBrief_MIS));}; if(Npc_HasItems(Trader,ItMw_2h_Rod) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Rod,Npc_HasItems(Trader,ItMw_2h_Rod));}; if(Npc_HasItems(Trader,ItMw_2h_Rod_Fake) > 0) { Npc_RemoveInvItems(Trader,ItMw_2h_Rod_Fake,Npc_HasItems(Trader,ItMw_2h_Rod_Fake));}; if(Npc_HasItems(Trader,ItMi_CoragonsSilber) > 0) { Npc_RemoveInvItems(Trader,ItMi_CoragonsSilber,Npc_HasItems(Trader,ItMi_CoragonsSilber));}; if(Npc_HasItems(Trader,ItMi_TheklasPaket) > 0) { Npc_RemoveInvItems(Trader,ItMi_TheklasPaket,Npc_HasItems(Trader,ItMi_TheklasPaket));}; if(Npc_HasItems(Trader,ItMi_MariasGoldPlate) > 0) { Npc_RemoveInvItems(Trader,ItMi_MariasGoldPlate,Npc_HasItems(Trader,ItMi_MariasGoldPlate));}; if(Npc_HasItems(Trader,ItRi_ValentinosRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_ValentinosRing,Npc_HasItems(Trader,ItRi_ValentinosRing));}; if(Npc_HasItems(Trader,ItWr_Kraeuterliste) > 0) { Npc_RemoveInvItems(Trader,ItWr_Kraeuterliste,Npc_HasItems(Trader,ItWr_Kraeuterliste));}; if(Npc_HasItems(Trader,ItWr_ManaRezept) > 0) { Npc_RemoveInvItems(Trader,ItWr_ManaRezept,Npc_HasItems(Trader,ItWr_ManaRezept));}; if(Npc_HasItems(Trader,ItWr_Passierschein) > 0) { Npc_RemoveInvItems(Trader,ItWr_Passierschein,Npc_HasItems(Trader,ItWr_Passierschein));}; if(Npc_HasItems(Trader,ItMi_HerbPaket) > 0) { Npc_RemoveInvItems(Trader,ItMi_HerbPaket,Npc_HasItems(Trader,ItMi_HerbPaket));}; if(Npc_HasItems(Trader,ItMi_JointPacket_OW) > 0) { Npc_RemoveInvItems(Trader,ItMi_JointPacket_OW,Npc_HasItems(Trader,ItMi_JointPacket_OW));}; if(Npc_HasItems(Trader,ITMI_DROGENPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITMI_DROGENPOCKET,Npc_HasItems(Trader,ITMI_DROGENPOCKET));}; if(Npc_HasItems(Trader,ITMI_LARIUSGOLDPOCKET) > 0) { Npc_RemoveInvItems(Trader,ITMI_LARIUSGOLDPOCKET,Npc_HasItems(Trader,ITMI_LARIUSGOLDPOCKET));}; if(Npc_HasItems(Trader,ItFo_SmellyFish) > 0) { Npc_RemoveInvItems(Trader,ItFo_SmellyFish,Npc_HasItems(Trader,ItFo_SmellyFish));}; if(Npc_HasItems(Trader,ItFo_HalvorFish_MIS) > 0) { Npc_RemoveInvItems(Trader,ItFo_HalvorFish_MIS,Npc_HasItems(Trader,ItFo_HalvorFish_MIS));}; if(Npc_HasItems(Trader,ItWr_HalvorMessage) > 0) { Npc_RemoveInvItems(Trader,ItWr_HalvorMessage,Npc_HasItems(Trader,ItWr_HalvorMessage));}; if(Npc_HasItems(Trader,ItWr_DexterOrder) > 0) { Npc_RemoveInvItems(Trader,ItWr_DexterOrder,Npc_HasItems(Trader,ItWr_DexterOrder));}; if(Npc_HasItems(Trader,ItWr_DexTrait) > 0) { Npc_RemoveInvItems(Trader,ItWr_DexTrait,Npc_HasItems(Trader,ItWr_DexTrait));}; if(Npc_HasItems(Trader,ItMw_AlriksSword_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMw_AlriksSword_Mis,Npc_HasItems(Trader,ItMw_AlriksSword_Mis));}; if(Npc_HasItems(Trader,ItWr_VatrasMessage) > 0) { Npc_RemoveInvItems(Trader,ItWr_VatrasMessage,Npc_HasItems(Trader,ItWr_VatrasMessage));}; if(Npc_HasItems(Trader,ItWr_VatrasMessage_Open) > 0) { Npc_RemoveInvItems(Trader,ItWr_VatrasMessage_Open,Npc_HasItems(Trader,ItWr_VatrasMessage_Open));}; if(Npc_HasItems(Trader,ItFo_Schafswurst) > 0) { Npc_RemoveInvItems(Trader,ItFo_Schafswurst,Npc_HasItems(Trader,ItFo_Schafswurst));}; if(Npc_HasItems(Trader,ItPo_Perm_LittleMana) > 0) { Npc_RemoveInvItems(Trader,ItPo_Perm_LittleMana,Npc_HasItems(Trader,ItPo_Perm_LittleMana));}; if(Npc_HasItems(Trader,ItWr_Passage_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Passage_MIS,Npc_HasItems(Trader,ItWr_Passage_MIS));}; if(Npc_HasItems(Trader,ItWr_BanditLetter_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_BanditLetter_MIS,Npc_HasItems(Trader,ItWr_BanditLetter_MIS));}; if(Npc_HasItems(Trader,ItWr_Poster_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Poster_MIS,Npc_HasItems(Trader,ItWr_Poster_MIS));}; if(Npc_HasItems(Trader,ItRw_Bow_L_03_MIS) > 0) { Npc_RemoveInvItems(Trader,ItRw_Bow_L_03_MIS,Npc_HasItems(Trader,ItRw_Bow_L_03_MIS));}; if(Npc_HasItems(Trader,ItRi_Prot_Point_01_MIS) > 0) { Npc_RemoveInvItems(Trader,ItRi_Prot_Point_01_MIS,Npc_HasItems(Trader,ItRi_Prot_Point_01_MIS));}; if(Npc_HasItems(Trader,ItMi_EddasStatue) > 0) { Npc_RemoveInvItems(Trader,ItMi_EddasStatue,Npc_HasItems(Trader,ItMi_EddasStatue));}; if(Npc_HasItems(Trader,ItWr_Schuldenbuch) > 0) { Npc_RemoveInvItems(Trader,ItWr_Schuldenbuch,Npc_HasItems(Trader,ItWr_Schuldenbuch));}; if(Npc_HasItems(Trader,ItPl_Xagitta_Herb_MIS) > 0) { Npc_RemoveInvItems(Trader,ItPl_Xagitta_Herb_MIS,Npc_HasItems(Trader,ItPl_Xagitta_Herb_MIS));}; if(Npc_HasItems(Trader,ItRw_DragomirsArmbrust_MIS) > 0) { Npc_RemoveInvItems(Trader,ItRw_DragomirsArmbrust_MIS,Npc_HasItems(Trader,ItRw_DragomirsArmbrust_MIS));}; if(Npc_HasItems(Trader,Holy_Hammer_MIS) > 0) { Npc_RemoveInvItems(Trader,Holy_Hammer_MIS,Npc_HasItems(Trader,Holy_Hammer_MIS));}; if(Npc_HasItems(Trader,HOLY_HAMMER_MIS_NEW) > 0) { Npc_RemoveInvItems(Trader,HOLY_HAMMER_MIS_NEW,Npc_HasItems(Trader,HOLY_HAMMER_MIS_NEW));}; if(Npc_HasItems(Trader,ITRI_QUEST_PAL_RING) > 0) { Npc_RemoveInvItems(Trader,ITRI_QUEST_PAL_RING,Npc_HasItems(Trader,ITRI_QUEST_PAL_RING));}; if(Npc_HasItems(Trader,ITWR_HOLGER_LETTER) > 0) { Npc_RemoveInvItems(Trader,ITWR_HOLGER_LETTER,Npc_HasItems(Trader,ITWR_HOLGER_LETTER));}; if(Npc_HasItems(Trader,ITMI_DARON_SUMA) > 0) { Npc_RemoveInvItems(Trader,ITMI_DARON_SUMA,Npc_HasItems(Trader,ITMI_DARON_SUMA));}; if(Npc_HasItems(Trader,ITAM_HOLGER_AMULET) > 0) { Npc_RemoveInvItems(Trader,ITAM_HOLGER_AMULET,Npc_HasItems(Trader,ITAM_HOLGER_AMULET));}; if(Npc_HasItems(Trader,ItMi_StoneOfKnowlegde_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_StoneOfKnowlegde_MIS,Npc_HasItems(Trader,ItMi_StoneOfKnowlegde_MIS));}; if(Npc_HasItems(Trader,ItMi_ParlanRelic_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_ParlanRelic_MIS,Npc_HasItems(Trader,ItMi_ParlanRelic_MIS));}; if(Npc_HasItems(Trader,ItWr_PaladinLetter_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_PaladinLetter_MIS,Npc_HasItems(Trader,ItWr_PaladinLetter_MIS));}; if(Npc_HasItems(Trader,ItWr_LetterForGorn_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_LetterForGorn_MIS,Npc_HasItems(Trader,ItWr_LetterForGorn_MIS));}; if(Npc_HasItems(Trader,ItMi_GornsTreasure_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_GornsTreasure_MIS,Npc_HasItems(Trader,ItMi_GornsTreasure_MIS));}; if(Npc_HasItems(Trader,ItWr_Silvestro_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Silvestro_MIS,Npc_HasItems(Trader,ItWr_Silvestro_MIS));}; if(Npc_HasItems(Trader,ItAt_ClawLeader) > 0) { Npc_RemoveInvItems(Trader,ItAt_ClawLeader,Npc_HasItems(Trader,ItAt_ClawLeader));}; if(Npc_HasItems(Trader,ITAT_CLAWBLACKSNAPPER) > 0) { Npc_RemoveInvItems(Trader,ITAT_CLAWBLACKSNAPPER,Npc_HasItems(Trader,ITAT_CLAWBLACKSNAPPER));}; if(Npc_HasItems(Trader,ITAT_VEPRFUR) > 0) { Npc_RemoveInvItems(Trader,ITAT_VEPRFUR,Npc_HasItems(Trader,ITAT_VEPRFUR));}; if(Npc_HasItems(Trader,ITAT_NIGHTHUNTERFUR) > 0) { Npc_RemoveInvItems(Trader,ITAT_NIGHTHUNTERFUR,Npc_HasItems(Trader,ITAT_NIGHTHUNTERFUR));}; if(Npc_HasItems(Trader,ITAT_LUKEREGG) > 0) { Npc_RemoveInvItems(Trader,ITAT_LUKEREGG,Npc_HasItems(Trader,ITAT_LUKEREGG));}; if(Npc_HasItems(Trader,ItSe_Olav) > 0) { Npc_RemoveInvItems(Trader,ItSe_Olav,Npc_HasItems(Trader,ItSe_Olav));}; if(Npc_HasItems(Trader,ItMi_Plate_MISGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_Plate_MISGold,Npc_HasItems(Trader,ItMi_Plate_MISGold));}; if(Npc_HasItems(Trader,ItWr_Bloody_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Bloody_MIS,Npc_HasItems(Trader,ItWr_Bloody_MIS));}; if(Npc_HasItems(Trader,ItWr_Pfandbrief_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Pfandbrief_MIS,Npc_HasItems(Trader,ItWr_Pfandbrief_MIS));}; if(Npc_HasItems(Trader,ITWR_LUTEROLOAN) > 0) { Npc_RemoveInvItems(Trader,ITWR_LUTEROLOAN,Npc_HasItems(Trader,ITWR_LUTEROLOAN));}; if(Npc_HasItems(Trader,ITWR_MAP_OLDWORLD_OREMINES_MIS_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_OLDWORLD_OREMINES_MIS_1,Npc_HasItems(Trader,ITWR_MAP_OLDWORLD_OREMINES_MIS_1));}; if(Npc_HasItems(Trader,ItWr_Manowar) > 0) { Npc_RemoveInvItems(Trader,ItWr_Manowar,Npc_HasItems(Trader,ItWr_Manowar));}; if(Npc_HasItems(Trader,ItWr_KDWLetter) > 0) { Npc_RemoveInvItems(Trader,ItWr_KDWLetter,Npc_HasItems(Trader,ItWr_KDWLetter));}; if(Npc_HasItems(Trader,ItWr_GilbertLetter) > 0) { Npc_RemoveInvItems(Trader,ItWr_GilbertLetter,Npc_HasItems(Trader,ItWr_GilbertLetter));}; if(Npc_HasItems(Trader,ItRi_Tengron) > 0) { Npc_RemoveInvItems(Trader,ItRi_Tengron,Npc_HasItems(Trader,ItRi_Tengron));}; if(Npc_HasItems(Trader,ItWr_Diofant_Paper) > 0) { Npc_RemoveInvItems(Trader,ItWr_Diofant_Paper,Npc_HasItems(Trader,ItWr_Diofant_Paper));}; if(Npc_HasItems(Trader,ItWr_LukasLetter) > 0) { Npc_RemoveInvItems(Trader,ItWr_LukasLetter,Npc_HasItems(Trader,ItWr_LukasLetter));}; if(Npc_HasItems(Trader,ItMi_InnosEye_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_InnosEye_MIS,Npc_HasItems(Trader,ItMi_InnosEye_MIS));}; if(Npc_HasItems(Trader,ItMi_InnosEye_Bad) > 0) { Npc_RemoveInvItems(Trader,ItMi_InnosEye_Bad,Npc_HasItems(Trader,ItMi_InnosEye_Bad));}; if(Npc_HasItems(Trader,ItMi_InnosEye_Discharged_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMi_InnosEye_Discharged_Mis,Npc_HasItems(Trader,ItMi_InnosEye_Discharged_Mis));}; if(Npc_HasItems(Trader,ItMi_InnosEye_Broken_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMi_InnosEye_Broken_Mis,Npc_HasItems(Trader,ItMi_InnosEye_Broken_Mis));}; if(Npc_HasItems(Trader,ItWr_PermissionToWearInnosEye_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_PermissionToWearInnosEye_MIS,Npc_HasItems(Trader,ItWr_PermissionToWearInnosEye_MIS));}; if(Npc_HasItems(Trader,ItWr_XardasBookForPyrokar_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_XardasBookForPyrokar_Mis,Npc_HasItems(Trader,ItWr_XardasBookForPyrokar_Mis));}; if(Npc_HasItems(Trader,ItWr_CorneliusTagebuch_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_CorneliusTagebuch_Mis,Npc_HasItems(Trader,ItWr_CorneliusTagebuch_Mis));}; if(Npc_HasItems(Trader,ITWR_DementorObsessionBook_MIS) > 0) { Npc_RemoveInvItems(Trader,ITWR_DementorObsessionBook_MIS,Npc_HasItems(Trader,ITWR_DementorObsessionBook_MIS));}; if(Npc_HasItems(Trader,ItWr_PyrokarsObsessionList) > 0) { Npc_RemoveInvItems(Trader,ItWr_PyrokarsObsessionList,Npc_HasItems(Trader,ItWr_PyrokarsObsessionList));}; if(Npc_HasItems(Trader,ItPo_HealHilda_MIS) > 0) { Npc_RemoveInvItems(Trader,ItPo_HealHilda_MIS,Npc_HasItems(Trader,ItPo_HealHilda_MIS));}; if(Npc_HasItems(Trader,ItMw_MalethsGehstock_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMw_MalethsGehstock_MIS,Npc_HasItems(Trader,ItMw_MalethsGehstock_MIS));}; if(Npc_HasItems(Trader,ItMi_MalethsBanditGold) > 0) { Npc_RemoveInvItems(Trader,ItMi_MalethsBanditGold,Npc_HasItems(Trader,ItMi_MalethsBanditGold));}; if(Npc_HasItems(Trader,ItMi_Moleratlubric_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_Moleratlubric_MIS,Npc_HasItems(Trader,ItMi_Moleratlubric_MIS));}; if(Npc_HasItems(Trader,ItWr_BabosLetter_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_BabosLetter_MIS,Npc_HasItems(Trader,ItWr_BabosLetter_MIS));}; if(Npc_HasItems(Trader,ItWr_BabosPinUp_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_BabosPinUp_MIS,Npc_HasItems(Trader,ItWr_BabosPinUp_MIS));}; if(Npc_HasItems(Trader,ItWr_BabosDocs_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_BabosDocs_MIS,Npc_HasItems(Trader,ItWr_BabosDocs_MIS));}; if(Npc_HasItems(Trader,ItWr_Astronomy_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_Astronomy_Mis,Npc_HasItems(Trader,ItWr_Astronomy_Mis));}; if(Npc_HasItems(Trader,ItPo_HealObsession_MIS) > 0) { Npc_RemoveInvItems(Trader,ItPo_HealObsession_MIS,Npc_HasItems(Trader,ItPo_HealObsession_MIS));}; if(Npc_HasItems(Trader,ItSe_Golemchest_Mis) > 0) { Npc_RemoveInvItems(Trader,ItSe_Golemchest_Mis,Npc_HasItems(Trader,ItSe_Golemchest_Mis));}; if(Npc_HasItems(Trader,ITWR_SHATTEREDGOLEM_MIS_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_SHATTEREDGOLEM_MIS_1,Npc_HasItems(Trader,ITWR_SHATTEREDGOLEM_MIS_1));}; if(Npc_HasItems(Trader,ItWr_DiegosLetter_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_DiegosLetter_MIS,Npc_HasItems(Trader,ItWr_DiegosLetter_MIS));}; if(Npc_HasItems(Trader,ItSe_DiegosTreasure_Mis) > 0) { Npc_RemoveInvItems(Trader,ItSe_DiegosTreasure_Mis,Npc_HasItems(Trader,ItSe_DiegosTreasure_Mis));}; if(Npc_HasItems(Trader,ItMi_UltharsHolyWater_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMi_UltharsHolyWater_Mis,Npc_HasItems(Trader,ItMi_UltharsHolyWater_Mis));}; if(Npc_HasItems(Trader,ItWr_MinenAnteil_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_MinenAnteil_Mis,Npc_HasItems(Trader,ItWr_MinenAnteil_Mis));}; if(Npc_HasItems(Trader,ItAm_Prot_BlackEye_Mis) > 0) { Npc_RemoveInvItems(Trader,ItAm_Prot_BlackEye_Mis,Npc_HasItems(Trader,ItAm_Prot_BlackEye_Mis));}; if(Npc_HasItems(Trader,ItMi_KarrasBlessedStone_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMi_KarrasBlessedStone_Mis,Npc_HasItems(Trader,ItMi_KarrasBlessedStone_Mis));}; if(Npc_HasItems(Trader,ItWr_RichterKomproBrief_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_RichterKomproBrief_MIS,Npc_HasItems(Trader,ItWr_RichterKomproBrief_MIS));}; if(Npc_HasItems(Trader,ItWr_MorgahardTip) > 0) { Npc_RemoveInvItems(Trader,ItWr_MorgahardTip,Npc_HasItems(Trader,ItWr_MorgahardTip));}; if(Npc_HasItems(Trader,ITWR_MAP_SHRINE_MIS_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_SHRINE_MIS_1,Npc_HasItems(Trader,ITWR_MAP_SHRINE_MIS_1));}; if(Npc_HasItems(Trader,ItWr_VinosKellergeister_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_VinosKellergeister_Mis,Npc_HasItems(Trader,ItWr_VinosKellergeister_Mis));}; if(Npc_HasItems(Trader,ITWR_DEATH1) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEATH1,Npc_HasItems(Trader,ITWR_DEATH1));}; if(Npc_HasItems(Trader,ITWR_DEATH2) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEATH2,Npc_HasItems(Trader,ITWR_DEATH2));}; if(Npc_HasItems(Trader,ItAm_Mana_Angar_MIS) > 0) { Npc_RemoveInvItems(Trader,ItAm_Mana_Angar_MIS,Npc_HasItems(Trader,ItAm_Mana_Angar_MIS));}; if(Npc_HasItems(Trader,ItMW_1H_FerrosSword_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMW_1H_FerrosSword_Mis,Npc_HasItems(Trader,ItMW_1H_FerrosSword_Mis));}; if(Npc_HasItems(Trader,ItMi_KerolothsGeldbeutel_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_KerolothsGeldbeutel_MIS,Npc_HasItems(Trader,ItMi_KerolothsGeldbeutel_MIS));}; if(Npc_HasItems(Trader,ItMi_KerolothsGeldbeutelLeer_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_KerolothsGeldbeutelLeer_MIS,Npc_HasItems(Trader,ItMi_KerolothsGeldbeutelLeer_MIS));}; if(Npc_HasItems(Trader,ItRw_SengrathsArmbrust_MIS) > 0) { Npc_RemoveInvItems(Trader,ItRw_SengrathsArmbrust_MIS,Npc_HasItems(Trader,ItRw_SengrathsArmbrust_MIS));}; if(Npc_HasItems(Trader,ItAt_TalbinsLurkerSkin) > 0) { Npc_RemoveInvItems(Trader,ItAt_TalbinsLurkerSkin,Npc_HasItems(Trader,ItAt_TalbinsLurkerSkin));}; if(Npc_HasItems(Trader,ItAt_DragonEgg_MIS) > 0) { Npc_RemoveInvItems(Trader,ItAt_DragonEgg_MIS,Npc_HasItems(Trader,ItAt_DragonEgg_MIS));}; if(Npc_HasItems(Trader,ItRi_OrcEliteRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_OrcEliteRing,Npc_HasItems(Trader,ItRi_OrcEliteRing));}; if(Npc_HasItems(Trader,ItPo_DragonEggDrinkNeoras_MIS) > 0) { Npc_RemoveInvItems(Trader,ItPo_DragonEggDrinkNeoras_MIS,Npc_HasItems(Trader,ItPo_DragonEggDrinkNeoras_MIS));}; if(Npc_HasItems(Trader,ITWR_MAP_ORCELITE_MIS_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_ORCELITE_MIS_1,Npc_HasItems(Trader,ITWR_MAP_ORCELITE_MIS_1));}; if(Npc_HasItems(Trader,ITWR_MAP_CAVES_MIS_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_CAVES_MIS_1,Npc_HasItems(Trader,ITWR_MAP_CAVES_MIS_1));}; if(Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT1) > 0) { Npc_RemoveInvItems(Trader,ITMI_ROCKCRYSTAL_OT1,Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT1));}; if(Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT2) > 0) { Npc_RemoveInvItems(Trader,ITMI_ROCKCRYSTAL_OT2,Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT2));}; if(Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT3) > 0) { Npc_RemoveInvItems(Trader,ITMI_ROCKCRYSTAL_OT3,Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT3));}; if(Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT4) > 0) { Npc_RemoveInvItems(Trader,ITMI_ROCKCRYSTAL_OT4,Npc_HasItems(Trader,ITMI_ROCKCRYSTAL_OT4));}; if(Npc_HasItems(Trader,ItRi_Ulf) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ulf,Npc_HasItems(Trader,ItRi_Ulf));}; if(Npc_HasItems(Trader,ItWr_XardasLetterToOpenBook_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_XardasLetterToOpenBook_MIS,Npc_HasItems(Trader,ItWr_XardasLetterToOpenBook_MIS));}; if(Npc_HasItems(Trader,ItWr_HallsofIrdorath_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_HallsofIrdorath_Mis,Npc_HasItems(Trader,ItWr_HallsofIrdorath_Mis));}; if(Npc_HasItems(Trader,ItWr_HallsofIrdorath_Open_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_HallsofIrdorath_Open_Mis,Npc_HasItems(Trader,ItWr_HallsofIrdorath_Open_Mis));}; if(Npc_HasItems(Trader,ItWr_XardasSeamapBook_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_XardasSeamapBook_Mis,Npc_HasItems(Trader,ItWr_XardasSeamapBook_Mis));}; if(Npc_HasItems(Trader,ItWr_UseLampIdiot_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_UseLampIdiot_Mis,Npc_HasItems(Trader,ItWr_UseLampIdiot_Mis));}; if(Npc_HasItems(Trader,ItWr_Seamap_Irdorath) > 0) { Npc_RemoveInvItems(Trader,ItWr_Seamap_Irdorath,Npc_HasItems(Trader,ItWr_Seamap_Irdorath));}; if(Npc_HasItems(Trader,ITMI_SEAMAPLOSTISLAND) > 0) { Npc_RemoveInvItems(Trader,ITMI_SEAMAPLOSTISLAND,Npc_HasItems(Trader,ITMI_SEAMAPLOSTISLAND));}; if(Npc_HasItems(Trader,ITWr_ForgedShipLetter_MIS) > 0) { Npc_RemoveInvItems(Trader,ITWr_ForgedShipLetter_MIS,Npc_HasItems(Trader,ITWr_ForgedShipLetter_MIS));}; if(Npc_HasItems(Trader,ItPo_PotionOfDeath_01_Mis) > 0) { Npc_RemoveInvItems(Trader,ItPo_PotionOfDeath_01_Mis,Npc_HasItems(Trader,ItPo_PotionOfDeath_01_Mis));}; if(Npc_HasItems(Trader,ItPo_PotionOfDeath_02_Mis) > 0) { Npc_RemoveInvItems(Trader,ItPo_PotionOfDeath_02_Mis,Npc_HasItems(Trader,ItPo_PotionOfDeath_02_Mis));}; if(Npc_HasItems(Trader,ItAm_AmulettOfDeath_Mis) > 0) { Npc_RemoveInvItems(Trader,ItAm_AmulettOfDeath_Mis,Npc_HasItems(Trader,ItAm_AmulettOfDeath_Mis));}; if(Npc_HasItems(Trader,ItPo_HealRandolph_MIS) > 0) { Npc_RemoveInvItems(Trader,ItPo_HealRandolph_MIS,Npc_HasItems(Trader,ItPo_HealRandolph_MIS));}; if(Npc_HasItems(Trader,ItSe_XardasNotfallBeutel_MIS) > 0) { Npc_RemoveInvItems(Trader,ItSe_XardasNotfallBeutel_MIS,Npc_HasItems(Trader,ItSe_XardasNotfallBeutel_MIS));}; if(Npc_HasItems(Trader,ItWr_XardasErmahnungFuerIdioten_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_XardasErmahnungFuerIdioten_MIS,Npc_HasItems(Trader,ItWr_XardasErmahnungFuerIdioten_MIS));}; if(Npc_HasItems(Trader,ItWr_Krypta_Garon) > 0) { Npc_RemoveInvItems(Trader,ItWr_Krypta_Garon,Npc_HasItems(Trader,ItWr_Krypta_Garon));}; if(Npc_HasItems(Trader,ItWr_LastDoorToUndeadDrgDI_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_LastDoorToUndeadDrgDI_MIS,Npc_HasItems(Trader,ItWr_LastDoorToUndeadDrgDI_MIS));}; if(Npc_HasItems(Trader,ItWr_Rezept_MegaDrink_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Rezept_MegaDrink_MIS,Npc_HasItems(Trader,ItWr_Rezept_MegaDrink_MIS));}; if(Npc_HasItems(Trader,ItWr_Diary_BlackNovice_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_Diary_BlackNovice_MIS,Npc_HasItems(Trader,ItWr_Diary_BlackNovice_MIS));}; if(Npc_HasItems(Trader,ItWr_ZugBruecke_MIS) > 0) { Npc_RemoveInvItems(Trader,ItWr_ZugBruecke_MIS,Npc_HasItems(Trader,ItWr_ZugBruecke_MIS));}; if(Npc_HasItems(Trader,ItMi_PowerEye) > 0) { Npc_RemoveInvItems(Trader,ItMi_PowerEye,Npc_HasItems(Trader,ItMi_PowerEye));}; if(Npc_HasItems(Trader,ITMI_PRISONSOUL) > 0) { Npc_RemoveInvItems(Trader,ITMI_PRISONSOUL,Npc_HasItems(Trader,ITMI_PRISONSOUL));}; if(Npc_HasItems(Trader,ITMI_PRISONSOUL_AWAKE) > 0) { Npc_RemoveInvItems(Trader,ITMI_PRISONSOUL_AWAKE,Npc_HasItems(Trader,ITMI_PRISONSOUL_AWAKE));}; if(Npc_HasItems(Trader,ITMI_ORCBLOOD) > 0) { Npc_RemoveInvItems(Trader,ITMI_ORCBLOOD,Npc_HasItems(Trader,ITMI_ORCBLOOD));}; if(Npc_HasItems(Trader,ITMI_BARLOKHEART) > 0) { Npc_RemoveInvItems(Trader,ITMI_BARLOKHEART,Npc_HasItems(Trader,ITMI_BARLOKHEART));}; if(Npc_HasItems(Trader,ItWr_SaturasFirstMessage_Addon_Sealed) > 0) { Npc_RemoveInvItems(Trader,ItWr_SaturasFirstMessage_Addon_Sealed,Npc_HasItems(Trader,ItWr_SaturasFirstMessage_Addon_Sealed));}; if(Npc_HasItems(Trader,ItWr_SaturasFirstMessage_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_SaturasFirstMessage_Addon,Npc_HasItems(Trader,ItWr_SaturasFirstMessage_Addon));}; if(Npc_HasItems(Trader,ItMi_Ornament_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMi_Ornament_Addon,Npc_HasItems(Trader,ItMi_Ornament_Addon));}; if(Npc_HasItems(Trader,ItMi_Ornament_Addon_Vatras) > 0) { Npc_RemoveInvItems(Trader,ItMi_Ornament_Addon_Vatras,Npc_HasItems(Trader,ItMi_Ornament_Addon_Vatras));}; if(Npc_HasItems(Trader,ITWR_MAP_NEWWORLD_ORNAMENTS_ADDON_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_NEWWORLD_ORNAMENTS_ADDON_1,Npc_HasItems(Trader,ITWR_MAP_NEWWORLD_ORNAMENTS_ADDON_1));}; if(Npc_HasItems(Trader,ITWR_MAP_NEWWORLD_DEXTER_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_MAP_NEWWORLD_DEXTER_1,Npc_HasItems(Trader,ITWR_MAP_NEWWORLD_DEXTER_1));}; if(Npc_HasItems(Trader,ItRi_Ranger_Lares_Addon) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ranger_Lares_Addon,Npc_HasItems(Trader,ItRi_Ranger_Lares_Addon));}; if(Npc_HasItems(Trader,ItRi_Ranger_Addon) > 0) { Npc_RemoveInvItems(Trader,ItRi_Ranger_Addon,Npc_HasItems(Trader,ItRi_Ranger_Addon));}; if(Npc_HasItems(Trader,ItRi_LanceRing) > 0) { Npc_RemoveInvItems(Trader,ItRi_LanceRing,Npc_HasItems(Trader,ItRi_LanceRing));}; if(Npc_HasItems(Trader,ItMi_PortalRing_Addon) > 0) { Npc_RemoveInvItems(Trader,ItMi_PortalRing_Addon,Npc_HasItems(Trader,ItMi_PortalRing_Addon));}; if(Npc_HasItems(Trader,ItWr_Martin_MilizEmpfehlung_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_Martin_MilizEmpfehlung_Addon,Npc_HasItems(Trader,ItWr_Martin_MilizEmpfehlung_Addon));}; if(Npc_HasItems(Trader,ItWr_RavensKidnapperMission_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_RavensKidnapperMission_Addon,Npc_HasItems(Trader,ItWr_RavensKidnapperMission_Addon));}; if(Npc_HasItems(Trader,ItWr_Vatras_KDFEmpfehlung_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_Vatras_KDFEmpfehlung_Addon,Npc_HasItems(Trader,ItWr_Vatras_KDFEmpfehlung_Addon));}; if(Npc_HasItems(Trader,ItMi_LostInnosStatue_Daron) > 0) { Npc_RemoveInvItems(Trader,ItMi_LostInnosStatue_Daron,Npc_HasItems(Trader,ItMi_LostInnosStatue_Daron));}; if(Npc_HasItems(Trader,ItMi_GoblinnosStatue_Daron_New) > 0) { Npc_RemoveInvItems(Trader,ItMi_GoblinnosStatue_Daron_New,Npc_HasItems(Trader,ItMi_GoblinnosStatue_Daron_New));}; if(Npc_HasItems(Trader,ItWr_LuciasLoveLetter_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_LuciasLoveLetter_Addon,Npc_HasItems(Trader,ItWr_LuciasLoveLetter_Addon));}; if(Npc_HasItems(Trader,ItMi_Rake) > 0) { Npc_RemoveInvItems(Trader,ItMi_Rake,Npc_HasItems(Trader,ItMi_Rake));}; if(Npc_HasItems(Trader,ItRi_Addon_BanditTrader) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_BanditTrader,Npc_HasItems(Trader,ItRi_Addon_BanditTrader));}; if(Npc_HasItems(Trader,ItWr_Addon_BanditTrader) > 0) { Npc_RemoveInvItems(Trader,ItWr_Addon_BanditTrader,Npc_HasItems(Trader,ItWr_Addon_BanditTrader));}; if(Npc_HasItems(Trader,ItWr_Vatras2Saturas_FindRaven) > 0) { Npc_RemoveInvItems(Trader,ItWr_Vatras2Saturas_FindRaven,Npc_HasItems(Trader,ItWr_Vatras2Saturas_FindRaven));}; if(Npc_HasItems(Trader,ItWr_Vatras2Saturas_FindRaven_opened) > 0) { Npc_RemoveInvItems(Trader,ItWr_Vatras2Saturas_FindRaven_opened,Npc_HasItems(Trader,ItWr_Vatras2Saturas_FindRaven_opened));}; if(Npc_HasItems(Trader,ItAm_Addon_WispDetector) > 0) { Npc_RemoveInvItems(Trader,ItAm_Addon_WispDetector,Npc_HasItems(Trader,ItAm_Addon_WispDetector));}; if(Npc_HasItems(Trader,ItFo_Addon_Krokofleisch_Mission) > 0) { Npc_RemoveInvItems(Trader,ItFo_Addon_Krokofleisch_Mission,Npc_HasItems(Trader,ItFo_Addon_Krokofleisch_Mission));}; if(Npc_HasItems(Trader,ItRi_Addon_MorgansRing_Mission) > 0) { Npc_RemoveInvItems(Trader,ItRi_Addon_MorgansRing_Mission,Npc_HasItems(Trader,ItRi_Addon_MorgansRing_Mission));}; if(Npc_HasItems(Trader,FakeUnitor) > 0) { Npc_RemoveInvItems(Trader,FakeUnitor,Npc_HasItems(Trader,FakeUnitor));}; if(Npc_HasItems(Trader,ItMi_Focus) > 0) { Npc_RemoveInvItems(Trader,ItMi_Focus,Npc_HasItems(Trader,ItMi_Focus));}; if(Npc_HasItems(Trader,ItMi_UnSharp_MagicCrystal) > 0) { Npc_RemoveInvItems(Trader,ItMi_UnSharp_MagicCrystal,Npc_HasItems(Trader,ItMi_UnSharp_MagicCrystal));}; if(Npc_HasItems(Trader,ItMi_MagicCrystal) > 0) { Npc_RemoveInvItems(Trader,ItMi_MagicCrystal,Npc_HasItems(Trader,ItMi_MagicCrystal));}; if(Npc_HasItems(Trader,ItMi_Addon_Steel_Paket) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Steel_Paket,Npc_HasItems(Trader,ItMi_Addon_Steel_Paket));}; if(Npc_HasItems(Trader,ItWr_StonePlateCommon_Addon) > 0) { Npc_RemoveInvItems(Trader,ItWr_StonePlateCommon_Addon,Npc_HasItems(Trader,ItWr_StonePlateCommon_Addon));}; if(Npc_HasItems(Trader,ItMi_Addon_Stone_01) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Stone_01,Npc_HasItems(Trader,ItMi_Addon_Stone_01));}; if(Npc_HasItems(Trader,ItMi_Addon_Stone_05) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Stone_05,Npc_HasItems(Trader,ItMi_Addon_Stone_05));}; if(Npc_HasItems(Trader,ItMi_Addon_Stone_03) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Stone_03,Npc_HasItems(Trader,ItMi_Addon_Stone_03));}; if(Npc_HasItems(Trader,ItMi_Addon_Stone_04) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Stone_04,Npc_HasItems(Trader,ItMi_Addon_Stone_04));}; if(Npc_HasItems(Trader,ItMi_Addon_Stone_02) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Stone_02,Npc_HasItems(Trader,ItMi_Addon_Stone_02));}; if(Npc_HasItems(Trader,ItMI_Addon_Kompass_Mis) > 0) { Npc_RemoveInvItems(Trader,ItMI_Addon_Kompass_Mis,Npc_HasItems(Trader,ItMI_Addon_Kompass_Mis));}; if(Npc_HasItems(Trader,ItSE_Addon_FrancisChest) > 0) { Npc_RemoveInvItems(Trader,ItSE_Addon_FrancisChest,Npc_HasItems(Trader,ItSE_Addon_FrancisChest));}; if(Npc_HasItems(Trader,ITWR_Addon_FrancisAbrechnung_Mis) > 0) { Npc_RemoveInvItems(Trader,ITWR_Addon_FrancisAbrechnung_Mis,Npc_HasItems(Trader,ITWR_Addon_FrancisAbrechnung_Mis));}; if(Npc_HasItems(Trader,ITWR_Addon_GregsLogbuch_Mis) > 0) { Npc_RemoveInvItems(Trader,ITWR_Addon_GregsLogbuch_Mis,Npc_HasItems(Trader,ITWR_Addon_GregsLogbuch_Mis));}; if(Npc_HasItems(Trader,ItMi_TempelTorKey) > 0) { Npc_RemoveInvItems(Trader,ItMi_TempelTorKey,Npc_HasItems(Trader,ItMi_TempelTorKey));}; if(Npc_HasItems(Trader,ItMi_Addon_Masiafadept_Kopf) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_Masiafadept_Kopf,Npc_HasItems(Trader,ItMi_Addon_Masiafadept_Kopf));}; if(Npc_HasItems(Trader,ITWR_ADDON_TREASUREMAP_1) > 0) { Npc_RemoveInvItems(Trader,ITWR_ADDON_TREASUREMAP_1,Npc_HasItems(Trader,ITWR_ADDON_TREASUREMAP_1));}; if(Npc_HasItems(Trader,ItMi_Addon_GregsTreasureBottle_MIS) > 0) { Npc_RemoveInvItems(Trader,ItMi_Addon_GregsTreasureBottle_MIS,Npc_HasItems(Trader,ItMi_Addon_GregsTreasureBottle_MIS));}; if(Npc_HasItems(Trader,itmi_erolskelch) > 0) { Npc_RemoveInvItems(Trader,itmi_erolskelch,Npc_HasItems(Trader,itmi_erolskelch));}; if(Npc_HasItems(Trader,ItSc_OrcHeal) > 0) { Npc_RemoveInvItems(Trader,ItSc_OrcHeal,Npc_HasItems(Trader,ItSc_OrcHeal));}; if(Npc_HasItems(Trader,ItKe_OrcGonez) > 0) { Npc_RemoveInvItems(Trader,ItKe_OrcGonez,Npc_HasItems(Trader,ItKe_OrcGonez));}; if(Npc_HasItems(Trader,ItWr_AboutNagDumgar_P1) > 0) { Npc_RemoveInvItems(Trader,ItWr_AboutNagDumgar_P1,Npc_HasItems(Trader,ItWr_AboutNagDumgar_P1));}; if(Npc_HasItems(Trader,ItWr_AboutNagDumgar_P2) > 0) { Npc_RemoveInvItems(Trader,ItWr_AboutNagDumgar_P2,Npc_HasItems(Trader,ItWr_AboutNagDumgar_P2));}; if(Npc_HasItems(Trader,ItWr_AboutNagDumgar_P3) > 0) { Npc_RemoveInvItems(Trader,ItWr_AboutNagDumgar_P3,Npc_HasItems(Trader,ItWr_AboutNagDumgar_P3));}; if(Npc_HasItems(Trader,ITWR_CBOW_T1) > 0) { Npc_RemoveInvItems(Trader,ITWR_CBOW_T1,Npc_HasItems(Trader,ITWR_CBOW_T1));}; if(Npc_HasItems(Trader,ITWR_CBOW_T2) > 0) { Npc_RemoveInvItems(Trader,ITWR_CBOW_T2,Npc_HasItems(Trader,ITWR_CBOW_T2));}; if(Npc_HasItems(Trader,ItWr_EinhandBuch) > 0) { Npc_RemoveInvItems(Trader,ItWr_EinhandBuch,Npc_HasItems(Trader,ItWr_EinhandBuch));}; if(Npc_HasItems(Trader,ItWr_ZweihandBuch) > 0) { Npc_RemoveInvItems(Trader,ItWr_ZweihandBuch,Npc_HasItems(Trader,ItWr_ZweihandBuch));}; if(Npc_HasItems(Trader,ASTRONOMIE) > 0) { Npc_RemoveInvItems(Trader,ASTRONOMIE,Npc_HasItems(Trader,ASTRONOMIE));}; if(Npc_HasItems(Trader,ITWR_DEMONLANG) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEMONLANG,Npc_HasItems(Trader,ITWR_DEMONLANG));}; if(Npc_HasItems(Trader,LEHREN_DER_GOETTER1) > 0) { Npc_RemoveInvItems(Trader,LEHREN_DER_GOETTER1,Npc_HasItems(Trader,LEHREN_DER_GOETTER1));}; if(Npc_HasItems(Trader,LEHREN_DER_GOETTER2) > 0) { Npc_RemoveInvItems(Trader,LEHREN_DER_GOETTER2,Npc_HasItems(Trader,LEHREN_DER_GOETTER2));}; if(Npc_HasItems(Trader,LEHREN_DER_GOETTER3) > 0) { Npc_RemoveInvItems(Trader,LEHREN_DER_GOETTER3,Npc_HasItems(Trader,LEHREN_DER_GOETTER3));}; if(Npc_HasItems(Trader,DAS_MAGISCHE_ERZ) > 0) { Npc_RemoveInvItems(Trader,DAS_MAGISCHE_ERZ,Npc_HasItems(Trader,DAS_MAGISCHE_ERZ));}; if(Npc_HasItems(Trader,SCHLACHT_UM_VARANT1) > 0) { Npc_RemoveInvItems(Trader,SCHLACHT_UM_VARANT1,Npc_HasItems(Trader,SCHLACHT_UM_VARANT1));}; if(Npc_HasItems(Trader,SCHLACHT_UM_VARANT2) > 0) { Npc_RemoveInvItems(Trader,SCHLACHT_UM_VARANT2,Npc_HasItems(Trader,SCHLACHT_UM_VARANT2));}; if(Npc_HasItems(Trader,ITWR_SOULRIVER) > 0) { Npc_RemoveInvItems(Trader,ITWR_SOULRIVER,Npc_HasItems(Trader,ITWR_SOULRIVER));}; if(Npc_HasItems(Trader,ITWR_AZGOLOR) > 0) { Npc_RemoveInvItems(Trader,ITWR_AZGOLOR,Npc_HasItems(Trader,ITWR_AZGOLOR));}; if(Npc_HasItems(Trader,ITWR_INNOSPRAY) > 0) { Npc_RemoveInvItems(Trader,ITWR_INNOSPRAY,Npc_HasItems(Trader,ITWR_INNOSPRAY));}; if(Npc_HasItems(Trader,ITWR_MANIAC) > 0) { Npc_RemoveInvItems(Trader,ITWR_MANIAC,Npc_HasItems(Trader,ITWR_MANIAC));}; if(Npc_HasItems(Trader,ITWR_KAMPFKUNST) > 0) { Npc_RemoveInvItems(Trader,ITWR_KAMPFKUNST,Npc_HasItems(Trader,ITWR_KAMPFKUNST));}; if(Npc_HasItems(Trader,ITWR_ELEMENTAREARCANEI) > 0) { Npc_RemoveInvItems(Trader,ITWR_ELEMENTAREARCANEI,Npc_HasItems(Trader,ITWR_ELEMENTAREARCANEI));}; if(Npc_HasItems(Trader,ITWR_JAGD_UND_BEUTE) > 0) { Npc_RemoveInvItems(Trader,ITWR_JAGD_UND_BEUTE,Npc_HasItems(Trader,ITWR_JAGD_UND_BEUTE));}; if(Npc_HasItems(Trader,MYRTANAS_LYRIK) > 0) { Npc_RemoveInvItems(Trader,MYRTANAS_LYRIK,Npc_HasItems(Trader,MYRTANAS_LYRIK));}; if(Npc_HasItems(Trader,WAHRE_MACHT) > 0) { Npc_RemoveInvItems(Trader,WAHRE_MACHT,Npc_HasItems(Trader,WAHRE_MACHT));}; if(Npc_HasItems(Trader,MACHTVOLLE_KUNST) > 0) { Npc_RemoveInvItems(Trader,MACHTVOLLE_KUNST,Npc_HasItems(Trader,MACHTVOLLE_KUNST));}; if(Npc_HasItems(Trader,GOETTERGABE) > 0) { Npc_RemoveInvItems(Trader,GOETTERGABE,Npc_HasItems(Trader,GOETTERGABE));}; if(Npc_HasItems(Trader,GEHEIMNISSE_DER_ZAUBEREI) > 0) { Npc_RemoveInvItems(Trader,GEHEIMNISSE_DER_ZAUBEREI,Npc_HasItems(Trader,GEHEIMNISSE_DER_ZAUBEREI));}; if(Npc_HasItems(Trader,ITWR_UMSONST_01) > 0) { Npc_RemoveInvItems(Trader,ITWR_UMSONST_01,Npc_HasItems(Trader,ITWR_UMSONST_01));}; if(Npc_HasItems(Trader,ITWR_ANCIENT) > 0) { Npc_RemoveInvItems(Trader,ITWR_ANCIENT,Npc_HasItems(Trader,ITWR_ANCIENT));}; if(Npc_HasItems(Trader,ITWR_DRAGONTALE) > 0) { Npc_RemoveInvItems(Trader,ITWR_DRAGONTALE,Npc_HasItems(Trader,ITWR_DRAGONTALE));}; if(Npc_HasItems(Trader,ITWR_DRAGONTALE_2) > 0) { Npc_RemoveInvItems(Trader,ITWR_DRAGONTALE_2,Npc_HasItems(Trader,ITWR_DRAGONTALE_2));}; if(Npc_HasItems(Trader,ITWR_DEMONTALE) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEMONTALE,Npc_HasItems(Trader,ITWR_DEMONTALE));}; if(Npc_HasItems(Trader,ITWR_SKELETONTALE) > 0) { Npc_RemoveInvItems(Trader,ITWR_SKELETONTALE,Npc_HasItems(Trader,ITWR_SKELETONTALE));}; if(Npc_HasItems(Trader,ITWR_GOLEMBOOK1) > 0) { Npc_RemoveInvItems(Trader,ITWR_GOLEMBOOK1,Npc_HasItems(Trader,ITWR_GOLEMBOOK1));}; if(Npc_HasItems(Trader,ITWR_GOLEMBOOK2) > 0) { Npc_RemoveInvItems(Trader,ITWR_GOLEMBOOK2,Npc_HasItems(Trader,ITWR_GOLEMBOOK2));}; if(Npc_HasItems(Trader,ELEMENTARE_ARCANEI) > 0) { Npc_RemoveInvItems(Trader,ELEMENTARE_ARCANEI,Npc_HasItems(Trader,ELEMENTARE_ARCANEI));}; if(Npc_HasItems(Trader,ItWr_MonasterySecret) > 0) { Npc_RemoveInvItems(Trader,ItWr_MonasterySecret,Npc_HasItems(Trader,ItWr_MonasterySecret));}; if(Npc_HasItems(Trader,ITWR_OLDBOOK1) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK1,Npc_HasItems(Trader,ITWR_OLDBOOK1));}; if(Npc_HasItems(Trader,ITWR_OLDBOOK2) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK2,Npc_HasItems(Trader,ITWR_OLDBOOK2));}; if(Npc_HasItems(Trader,ITWR_OLDBOOK3) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK3,Npc_HasItems(Trader,ITWR_OLDBOOK3));}; if(Npc_HasItems(Trader,ITWR_OLDBOOK4) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK4,Npc_HasItems(Trader,ITWR_OLDBOOK4));}; if(Npc_HasItems(Trader,ITWR_OLDBOOK5) > 0) { Npc_RemoveInvItems(Trader,ITWR_OLDBOOK5,Npc_HasItems(Trader,ITWR_OLDBOOK5));}; if(Npc_HasItems(Trader,ItWr_Astronomy_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_Astronomy_Mis,Npc_HasItems(Trader,ItWr_Astronomy_Mis));}; if(Npc_HasItems(Trader,ItWr_VinosKellergeister_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_VinosKellergeister_Mis,Npc_HasItems(Trader,ItWr_VinosKellergeister_Mis));}; if(Npc_HasItems(Trader,ITWR_DEATH1) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEATH1,Npc_HasItems(Trader,ITWR_DEATH1));}; if(Npc_HasItems(Trader,ITWR_DEATH2) > 0) { Npc_RemoveInvItems(Trader,ITWR_DEATH2,Npc_HasItems(Trader,ITWR_DEATH2));}; if(Npc_HasItems(Trader,ItWr_HallsofIrdorath_Open_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_HallsofIrdorath_Open_Mis,Npc_HasItems(Trader,ItWr_HallsofIrdorath_Open_Mis));}; if(Npc_HasItems(Trader,ItWr_XardasSeamapBook_Mis) > 0) { Npc_RemoveInvItems(Trader,ItWr_XardasSeamapBook_Mis,Npc_HasItems(Trader,ItWr_XardasSeamapBook_Mis));}; if(Npc_HasItems(Trader,ItWr_Alchemy_01) > 0) { Npc_RemoveInvItems(Trader,ItWr_Alchemy_01,Npc_HasItems(Trader,ItWr_Alchemy_01)); }; if(Npc_HasItems(Trader,ItWr_Druid_01) > 0) { Npc_RemoveInvItems(Trader,ItWr_Druid_01,Npc_HasItems(Trader,ItWr_Druid_01)); }; }; func void B_RemoveNpc(var int npcInstance) { var C_Npc npc; npc = Hlp_GetNpc(npcInstance); if(Hlp_IsValidNpc(npc)) { AI_UnequipWeapons(npc); npc.flags = 0; npc.aivar[93] = FALSE; B_ClearRemoveNpc(npc); Npc_ExchangeRoutine(npc,"TOT"); AI_Teleport(npc,"TOT"); Npc_ChangeAttribute(npc,ATR_HITPOINTS,-npc.attribute[ATR_HITPOINTS_MAX]); }; }; func void B_RemoveMonster(var int npcInstance) { var C_Npc npc; npc = Hlp_GetNpc(npcInstance); if(Hlp_IsValidNpc(npc)) { AI_UnequipWeapons(npc); npc.flags = 0; npc.aivar[93] = FALSE; npc.wp = "TOT"; npc.aivar[AIV_SummonTime] = TRUE; B_ClearRemoveNpc(npc); AI_Teleport(npc,"TOT"); }; }; func void B_RemoveNpcQuarh(var int npcInstance) { var C_Npc npc; npc = Hlp_GetNpc(npcInstance); if(Hlp_IsValidNpc(npc)) { AI_UnequipWeapons(npc); npc.flags = 0; npc.aivar[93] = FALSE; npc.aivar[AIV_SummonTime] = TRUE; B_ClearRemoveNpc(npc); Npc_ExchangeRoutine(npc,"TOT"); AI_Teleport(npc,"TOT"); }; }; func void B_RemoveNpcKill(var int npcInstance) { var C_Npc npc; npc = Hlp_GetNpc(npcInstance); if(Hlp_IsValidNpc(npc)) { AI_UnequipWeapons(npc); npc.flags = 0; npc.aivar[93] = FALSE; B_ClearRemoveNpc(npc); Npc_ExchangeRoutine(npc,"TOT"); AI_Teleport(npc,"TOT"); Npc_ChangeAttribute(npc,ATR_HITPOINTS,-npc.attribute[ATR_HITPOINTS_MAX]); }; }; func void b_removenpcnodead(var int npcInstance) { var C_Npc npc; npc = Hlp_GetNpc(npcInstance); if(Hlp_IsValidNpc(npc)) { npc.flags = 0; Npc_ExchangeRoutine(npc,"TOT"); AI_Teleport(npc,"TOT"); }; };
D
module tile.tilelib; /* This was class ObjLib in C++/A4 Lix. * In D/A5 Lix, it's not a class anymore, but module-level functions. */ import std.algorithm; import std.conv; // ulong -> int for string lengths import std.typecons; // Rebindable!(const Filename) import optional; static import glo = basics.globals; import basics.help; // clear_array import file.filename; import file.io; import file.log; import hardware.tharsis; import graphic.cutbit; import tile.abstile; import tile.gadtile; import tile.group; import tile.terrain; public: // There is no initialize(). Choose a screen mode, then start loading tiles. // deinitialize() clears all VRAM, allowing you to select a new screen mode. void deinitialize() { void destroyArray(T)(ref T arr) { foreach (tile; arr) if (tile !is null) tile.dispose(); arr = null; } destroyArray(terrain); destroyArray(gadgets); destroyArray(groups); _loggedMissingImages = null; } // For most tiles, their name is the filename without "images/", without // extension, but with pre-extension in case the filename has one // This doesn't resolve groups because tilelib doesn't know about group // names, it merely knows about group keys, see getGroup(). Optional!(const(AbstractTile)) resolveTileName(in string name) { if (const(AbstractTile)* ptr = name in terrain) { return some(*ptr); } else if (const(AbstractTile)* ptr = name in gadgets) { return some(*ptr); } else if (name in _loggedMissingImages) { return no!(const(AbstractTile)); } loadTileFromDisk(name); return resolveTileName(name); } Optional!(const(AbstractTile)) resolveTileName(Filename fn) { if (! fn || fn.rootlessNoExt.length < glo.dirImages.rootlessNoExt.length) return no!(const(AbstractTile)); // We have indexed the tiles without "images/" at the front of filenames return resolveTileName(fn.rootlessNoExt[ glo.dirImages.rootlessNoExt.length .. $]); } // throws TileGroup.InvisibleException if all visible pixels are overlapped // with dark tiles. This can happen because all tiles are dark, which the // caller could check easily, but also if all non-dark tiles are covered // with dark tiles, which only TileGroup's constructor checks. TileGroup getGroup(in TileGroupKey key) out (ret) { assert (ret !is null); } do { if (auto found = key in groups) return *found; return groups[key] = new TileGroup(key); } // ############################################################################ private: TerrainTile[string] terrain; GadgetTile [string] gadgets; TileGroup[TileGroupKey] groups; bool[string] _loggedMissingImages; void loadTileFromDisk(in string name) { version (tharsisprofiling) auto zone = Zone(profiler, "tilelib loadTileFromDisk"); Filename fn = nameToFoundFileOrNull(name); if (! fn) { logBadTile!"Tile missing"(name); return; } immutable pe = fn.preExtension; if (pe == 0 || pe == glo.preExtSteel) loadTerrainFromDisk(name, pe, fn); else loadGadgetFromDisk(name, pe, fn); } Filename nameToFoundFileOrNull(in string name) { version (tharsisprofiling) auto zone = Zone(profiler, "tilelib nameToFilename"); static assert (imageExtensions[0] == ".png", "png should be most common"); foreach (ext; imageExtensions) { auto fn = new VfsFilename(glo.dirImages.dirRootless ~ name ~ ext); if (fn.fileExists) return fn; } return null; } void loadGadgetFromDisk(in string strNoExt, in char pe, in Filename fn) out { const tile = (strNoExt in gadgets); assert (tile && *tile); } do { GadType type; bool subtype = false; if (pe == glo.preExtHatch) { type = GadType.HATCH; } else if (pe == glo.preExtGoal) { type = GadType.GOAL; } else if (pe == glo.preExtTrap) { type = GadType.TRAP; } else if (pe == glo.preExtWater) { type = GadType.WATER; } else if (pe == glo.preExtFire) { type = GadType.WATER; subtype = true; } else { logBadTile!"Unknown pre-extension"(strNoExt); return; } Cutbit cb = new Cutbit(fn, Cutbit.Cut.ifGridExists); if (! cb.valid) { logBadTile!"Canvas too large"(strNoExt); return; } // Some tiles have gadget definition files: // Same name, minus extension, plus ".txt". Filename defs = new VfsFilename(fn.rootlessNoExt ~ glo.filenameExtTileDefinitions); const(IoLine)[] defVec; // Missing file shall be no error, but merely result in empty defVec. // We want to log only on bad UTF-8 etc. in an existing file. if (defs.fileExists) { try { defVec = fillVectorFromFile(defs); } catch (Exception e) { logf("Error reading gadget definitions `%s':", defs.rootless); logf(" -> %s", e.msg); logf(" -> Falling back to default gadget properties."); return; } } gadgets[strNoExt] = GadgetTile.takeOverCutbit( strNoExt, cb, type, subtype, defVec); } void loadTerrainFromDisk(in string strNoExt, in char pe, in Filename fn) { Cutbit cb = new Cutbit(fn, Cutbit.Cut.no); if (! cb.valid) { logBadTile!"Canvas too large"(strNoExt); return; } terrain[strNoExt] = TerrainTile .takeOverCutbit(strNoExt, cb, pe == glo.preExtSteel); } void logBadTile(string reason)(in string name) { if (name in _loggedMissingImages) return; _loggedMissingImages[name] = true; logf("%s: `%s'", reason, name); }
D
/** * * /home/tomas/workspace/github-cli/source/app.d * * Author: * Tomáš Chaloupka <chalucha@gmail.com> * * Copyright (c) 2015 ${CopyrightHolder} * * Boost Software License 1.0 (BSL-1.0) * * Permission is hereby granted, free of charge, to any person or organization obtaining a copy * of the software and accompanying documentation covered by this license (the "Software") to use, * reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative * works of the Software, and to permit third-parties to whom the Software is furnished to do so, * all subject to the following: * * The copyright notices in the Software and this entire statement, including the above license * grant, this restriction and the following disclaimer, must be included in all copies of the Software, * in whole or in part, and all derivative works of the Software, unless such copies or derivative works * are solely in the form of machine-executable object code generated by a source language processor. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, * INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR * PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE * DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, * TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR * OTHER DEALINGS IN THE SOFTWARE. */ import commandline; int main(string[] args) { version (unittest) return 0; else return runCommandLine(args); }
D
/* * This file was automatically generated by sel-utils and * released under the MIT License. * * License: https://github.com/sel-project/sel-utils/blob/master/LICENSE * Repository: https://github.com/sel-project/sel-utils * Generated from https://github.com/sel-project/sel-utils/blob/master/xml/metadata/bedrock137.xml */ module sul.metadata.bedrock137; import std.typecons : Tuple, tuple; import sul.utils.buffer : Buffer; import sul.utils.metadataflags; import sul.utils.var; static import sul.protocol.bedrock137.types; alias Changed(T) = Tuple!(T, "value", bool, "changed"); enum MetadataType : uint { BYTE = 0, SHORT = 1, INT = 2, FLOAT = 3, STRING = 4, SLOT = 5, BLOCK_POSITION = 6, LONG = 7, ENTITY_POSITION = 8, } class Metadata { public enum ENTITY_FLAGS : size_t { ON_FIRE = 0, SNEAKING = 1, RIDING = 2, SPRINTING = 3, USING_ITEM = 4, INVISIBLE = 5, TEMPTED = 6, IN_LOVE = 7, SADDLED = 8, POWERED = 9, IGNITED = 10, BABY = 11, CONVERTING = 12, CRITICAL = 13, SHOW_NAMETAG = 14, ALWAYS_SHOW_NAMETAG = 15, NO_AI = 16, SILENT = 17, CLIMBING = 18, CAN_CLIMB = 19, CAN_SWIM = 20, CAN_FLY = 21, RESTING = 22, SITTING = 23, ANGRY = 24, INTERESTED = 25, CHARGED = 26, TAMED = 27, LEASHED = 28, SHEARED = 29, GLIDING = 30, ELDER = 31, MOVING = 32, BREATHING = 33, CHESTED = 34, STACKABLE = 35, SHOWBASE = 36, REARING = 37, VIBRATING = 38, IDLING = 39, EVOKER_SPELL = 40, CHARGE_ATTACK = 41, IS_WASD_CONTROLLED = 42, LINGER = 44, COLLIDE = 45, GRAVITY = 46, DANCING = 48, } public enum uint HEALTH = 1; public enum uint VARIANT = 2; public enum uint COLOR = 3; public enum uint NAMETAG = 4; public enum uint OWNER = 5; public enum uint TARGET = 6; public enum uint AIR = 7; public enum uint POTION_COLOR = 8; public enum uint POTION_AMBIENT = 9; public enum uint HURT_TIME = 11; public enum uint HURT_DIRECTION = 12; public enum uint PADDLE_TIME_LEFT = 13; public enum uint PADDLE_TIME_RIGHT = 14; public enum uint EXPERIENCE_COUNT = 15; public enum uint MINECART_BLOCK = 16; public enum uint MINECART_OFFSET = 17; public enum uint MINECART_HAS_BLOCK = 18; public enum uint ENDERMAN_ITEM_ID = 23; public enum uint ENDERMAN_ITEM_DAMAGE = 24; public enum uint AGE = 25; public enum PLAYER_FLAGS : size_t { ASLEEP = 1, } public enum uint PLAYER_INDEX = 28; public enum uint BED_POSITION = 29; public enum uint FIREBALL_POWER_X = 30; public enum uint FIREBALL_POWER_Y = 31; public enum uint FIREBALL_POWER_Z = 32; public enum uint POTION_AUX_VALUE = 37; public enum uint LEAD_HOLDER = 38; public enum uint SCALE = 39; public enum uint INTERACTIVE_TAG = 40; public enum uint NPC_ID = 41; public enum uint INTERACTIVE_TAG_URL = 42; public enum uint MAX_AIR = 43; public enum uint MARK_VARIANT = 44; public enum uint BLOCK_TARGET = 48; public enum uint INVULNERABLE_TIME = 49; public enum uint CENTER_HEAD_TARGET = 50; public enum uint LEFT_HEAD_TARGET = 51; public enum uint RIGHT_HEAD_TARGET = 52; public enum uint BOUNDING_BOX_WIDTH = 54; public enum uint BOUNDING_BOX_HEIGHT = 55; public enum uint FUSE_LENGTH = 56; public enum uint RIDER_SEAT_POSITION = 57; public enum uint RIDER_ROTATION_LOCKED = 58; public enum uint RIDER_MAX_ROTATION = 59; public enum uint RIDER_MIN_ROTATION = 60; public enum uint AREA_EFFECT_CLOUD_RADIUS = 61; public enum uint AREA_EFFECT_CLOUD_WAITING = 62; public enum uint AREA_EFFECT_CLOUD_PARTICLE = 63; public enum uint SHULKER_PEAK_HEIGHT = 64; public enum uint SHULKER_DIRECTION = 65; public enum uint SHULKER_ATTACHMENT = 67; public enum uint TRADING_PLAYER = 68; public enum uint COMMAND_BLOCK_COMMAND = 71; public enum uint COMMAND_BLOCK_LAST_OUTPUT = 72; public enum uint COMMAND_BLOCK_TRACK_OUTPUT = 73; public enum uint CONTROLLING_RIDER_SEAT_NUMBER = 74; public enum uint STRENGTH = 75; public enum uint MAX_STRENGTH = 76; public DecodedMetadata[] decoded; private bool _cached = false; private ubyte[] _cache; private void delegate(Buffer) pure nothrow @safe[] _changed; private MetadataFlags!(long) _entityFlags = cast(MetadataFlags!(long))0; private Changed!(int) _health; private Changed!(int) _variant; private Changed!(byte) _color; private Changed!(string) _nametag; private Changed!(long) _owner = tuple(cast(long)-1, false); private Changed!(long) _target; private short _air = cast(short)0; private Changed!(int) _potionColor; private Changed!(byte) _potionAmbient; private Changed!(int) _hurtTime; private Changed!(int) _hurtDirection; private Changed!(float) _paddleTimeLeft; private Changed!(float) _paddleTimeRight; private Changed!(int) _experienceCount; private Changed!(int) _minecartBlock; private Changed!(int) _minecartOffset; private Changed!(byte) _minecartHasBlock; private Changed!(short) _endermanItemId; private Changed!(short) _endermanItemDamage; private Changed!(short) _age; private Changed!(MetadataFlags!(byte)) _playerFlags; private Changed!(int) _playerIndex; private Changed!(Tuple!(int, "x", int, "y", int, "z")) _bedPosition; private Changed!(float) _fireballPowerX; private Changed!(float) _fireballPowerY; private Changed!(float) _fireballPowerZ; private Changed!(short) _potionAuxValue; private long _leadHolder = cast(long)-1; private Changed!(float) _scale = tuple(cast(float)1, false); private Changed!(string) _interactiveTag; private Changed!(string) _npcId; private Changed!(string) _interactiveTagUrl; private Changed!(short) _maxAir; private Changed!(int) _markVariant; private Changed!(Tuple!(int, "x", int, "y", int, "z")) _blockTarget; private Changed!(int) _invulnerableTime; private Changed!(long) _centerHeadTarget; private Changed!(long) _leftHeadTarget; private Changed!(long) _rightHeadTarget; private Changed!(float) _boundingBoxWidth; private Changed!(float) _boundingBoxHeight; private Changed!(int) _fuseLength; private Changed!(Tuple!(float, "x", float, "y", float, "z")) _riderSeatPosition; private Changed!(byte) _riderRotationLocked; private Changed!(float) _riderMaxRotation; private Changed!(float) _riderMinRotation; private Changed!(float) _areaEffectCloudRadius = tuple(cast(float)0.5, false); private Changed!(int) _areaEffectCloudWaiting; private Changed!(int) _areaEffectCloudParticle; private Changed!(int) _shulkerPeakHeight; private Changed!(byte) _shulkerDirection; private Changed!(Tuple!(int, "x", int, "y", int, "z")) _shulkerAttachment; private Changed!(long) _tradingPlayer; private Changed!(string) _commandBlockCommand; private Changed!(string) _commandBlockLastOutput; private Changed!(string) _commandBlockTrackOutput; private Changed!(byte) _controllingRiderSeatNumber; private Changed!(int) _strength; private Changed!(int) _maxStrength; public pure nothrow @safe this() { this.reset(); } public pure nothrow @safe void reset() { this._changed = [ &this.encodeEntityFlags, &this.encodeAir, &this.encodeLeadHolder, ]; } public pure nothrow @property @safe @nogc long entityFlags() { return _entityFlags; } public pure nothrow @property @safe long entityFlags(long value) { this._cached = false; this._entityFlags = value; return value; } public pure nothrow @safe encodeEntityFlags(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(0)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._entityFlags)); } } public pure nothrow @property @safe bool onFire() { return _entityFlags._0; } public pure nothrow @property @safe bool onFire(bool value) { _entityFlags._0 = value; return value; } public pure nothrow @property @safe bool sneaking() { return _entityFlags._1; } public pure nothrow @property @safe bool sneaking(bool value) { _entityFlags._1 = value; return value; } public pure nothrow @property @safe bool riding() { return _entityFlags._2; } public pure nothrow @property @safe bool riding(bool value) { _entityFlags._2 = value; return value; } public pure nothrow @property @safe bool sprinting() { return _entityFlags._3; } public pure nothrow @property @safe bool sprinting(bool value) { _entityFlags._3 = value; return value; } public pure nothrow @property @safe bool usingItem() { return _entityFlags._4; } public pure nothrow @property @safe bool usingItem(bool value) { _entityFlags._4 = value; return value; } public pure nothrow @property @safe bool invisible() { return _entityFlags._5; } public pure nothrow @property @safe bool invisible(bool value) { _entityFlags._5 = value; return value; } public pure nothrow @property @safe bool tempted() { return _entityFlags._6; } public pure nothrow @property @safe bool tempted(bool value) { _entityFlags._6 = value; return value; } public pure nothrow @property @safe bool inLove() { return _entityFlags._7; } public pure nothrow @property @safe bool inLove(bool value) { _entityFlags._7 = value; return value; } public pure nothrow @property @safe bool saddled() { return _entityFlags._8; } public pure nothrow @property @safe bool saddled(bool value) { _entityFlags._8 = value; return value; } public pure nothrow @property @safe bool powered() { return _entityFlags._9; } public pure nothrow @property @safe bool powered(bool value) { _entityFlags._9 = value; return value; } public pure nothrow @property @safe bool ignited() { return _entityFlags._10; } public pure nothrow @property @safe bool ignited(bool value) { _entityFlags._10 = value; return value; } public pure nothrow @property @safe bool baby() { return _entityFlags._11; } public pure nothrow @property @safe bool baby(bool value) { _entityFlags._11 = value; return value; } public pure nothrow @property @safe bool converting() { return _entityFlags._12; } public pure nothrow @property @safe bool converting(bool value) { _entityFlags._12 = value; return value; } public pure nothrow @property @safe bool critical() { return _entityFlags._13; } public pure nothrow @property @safe bool critical(bool value) { _entityFlags._13 = value; return value; } public pure nothrow @property @safe bool showNametag() { return _entityFlags._14; } public pure nothrow @property @safe bool showNametag(bool value) { _entityFlags._14 = value; return value; } public pure nothrow @property @safe bool alwaysShowNametag() { return _entityFlags._15; } public pure nothrow @property @safe bool alwaysShowNametag(bool value) { _entityFlags._15 = value; return value; } public pure nothrow @property @safe bool noAi() { return _entityFlags._16; } public pure nothrow @property @safe bool noAi(bool value) { _entityFlags._16 = value; return value; } public pure nothrow @property @safe bool silent() { return _entityFlags._17; } public pure nothrow @property @safe bool silent(bool value) { _entityFlags._17 = value; return value; } public pure nothrow @property @safe bool climbing() { return _entityFlags._18; } public pure nothrow @property @safe bool climbing(bool value) { _entityFlags._18 = value; return value; } public pure nothrow @property @safe bool canClimb() { return _entityFlags._19; } public pure nothrow @property @safe bool canClimb(bool value) { _entityFlags._19 = value; return value; } public pure nothrow @property @safe bool canSwim() { return _entityFlags._20; } public pure nothrow @property @safe bool canSwim(bool value) { _entityFlags._20 = value; return value; } public pure nothrow @property @safe bool canFly() { return _entityFlags._21; } public pure nothrow @property @safe bool canFly(bool value) { _entityFlags._21 = value; return value; } public pure nothrow @property @safe bool resting() { return _entityFlags._22; } public pure nothrow @property @safe bool resting(bool value) { _entityFlags._22 = value; return value; } public pure nothrow @property @safe bool sitting() { return _entityFlags._23; } public pure nothrow @property @safe bool sitting(bool value) { _entityFlags._23 = value; return value; } public pure nothrow @property @safe bool angry() { return _entityFlags._24; } public pure nothrow @property @safe bool angry(bool value) { _entityFlags._24 = value; return value; } public pure nothrow @property @safe bool interested() { return _entityFlags._25; } public pure nothrow @property @safe bool interested(bool value) { _entityFlags._25 = value; return value; } public pure nothrow @property @safe bool charged() { return _entityFlags._26; } public pure nothrow @property @safe bool charged(bool value) { _entityFlags._26 = value; return value; } public pure nothrow @property @safe bool tamed() { return _entityFlags._27; } public pure nothrow @property @safe bool tamed(bool value) { _entityFlags._27 = value; return value; } public pure nothrow @property @safe bool leashed() { return _entityFlags._28; } public pure nothrow @property @safe bool leashed(bool value) { _entityFlags._28 = value; return value; } public pure nothrow @property @safe bool sheared() { return _entityFlags._29; } public pure nothrow @property @safe bool sheared(bool value) { _entityFlags._29 = value; return value; } public pure nothrow @property @safe bool gliding() { return _entityFlags._30; } public pure nothrow @property @safe bool gliding(bool value) { _entityFlags._30 = value; return value; } public pure nothrow @property @safe bool elder() { return _entityFlags._31; } public pure nothrow @property @safe bool elder(bool value) { _entityFlags._31 = value; return value; } public pure nothrow @property @safe bool moving() { return _entityFlags._32; } public pure nothrow @property @safe bool moving(bool value) { _entityFlags._32 = value; return value; } public pure nothrow @property @safe bool breathing() { return _entityFlags._33; } public pure nothrow @property @safe bool breathing(bool value) { _entityFlags._33 = value; return value; } public pure nothrow @property @safe bool chested() { return _entityFlags._34; } public pure nothrow @property @safe bool chested(bool value) { _entityFlags._34 = value; return value; } public pure nothrow @property @safe bool stackable() { return _entityFlags._35; } public pure nothrow @property @safe bool stackable(bool value) { _entityFlags._35 = value; return value; } public pure nothrow @property @safe bool showbase() { return _entityFlags._36; } public pure nothrow @property @safe bool showbase(bool value) { _entityFlags._36 = value; return value; } public pure nothrow @property @safe bool rearing() { return _entityFlags._37; } public pure nothrow @property @safe bool rearing(bool value) { _entityFlags._37 = value; return value; } public pure nothrow @property @safe bool vibrating() { return _entityFlags._38; } public pure nothrow @property @safe bool vibrating(bool value) { _entityFlags._38 = value; return value; } public pure nothrow @property @safe bool idling() { return _entityFlags._39; } public pure nothrow @property @safe bool idling(bool value) { _entityFlags._39 = value; return value; } public pure nothrow @property @safe bool evokerSpell() { return _entityFlags._40; } public pure nothrow @property @safe bool evokerSpell(bool value) { _entityFlags._40 = value; return value; } public pure nothrow @property @safe bool chargeAttack() { return _entityFlags._41; } public pure nothrow @property @safe bool chargeAttack(bool value) { _entityFlags._41 = value; return value; } public pure nothrow @property @safe bool isWasdControlled() { return _entityFlags._42; } public pure nothrow @property @safe bool isWasdControlled(bool value) { _entityFlags._42 = value; return value; } public pure nothrow @property @safe bool linger() { return _entityFlags._44; } public pure nothrow @property @safe bool linger(bool value) { _entityFlags._44 = value; return value; } public pure nothrow @property @safe bool collide() { return _entityFlags._45; } public pure nothrow @property @safe bool collide(bool value) { _entityFlags._45 = value; return value; } public pure nothrow @property @safe bool gravity() { return _entityFlags._46; } public pure nothrow @property @safe bool gravity(bool value) { _entityFlags._46 = value; return value; } public pure nothrow @property @safe bool dancing() { return _entityFlags._48; } public pure nothrow @property @safe bool dancing(bool value) { _entityFlags._48 = value; return value; } public pure nothrow @property @safe @nogc int health() { return _health.value; } public pure nothrow @property @safe int health(int value) { this._cached = false; this._health.value = value; if(!this._health.changed) { this._health.changed = true; this._changed ~= &this.encodeHealth; } return value; } public pure nothrow @safe encodeHealth(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(1)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._health.value)); } } public pure nothrow @property @safe @nogc int variant() { return _variant.value; } public pure nothrow @property @safe int variant(int value) { this._cached = false; this._variant.value = value; if(!this._variant.changed) { this._variant.changed = true; this._changed ~= &this.encodeVariant; } return value; } public pure nothrow @safe encodeVariant(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(2)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._variant.value)); } } public pure nothrow @property @safe @nogc byte color() { return _color.value; } public pure nothrow @property @safe byte color(byte value) { this._cached = false; this._color.value = value; if(!this._color.changed) { this._color.changed = true; this._changed ~= &this.encodeColor; } return value; } public pure nothrow @safe encodeColor(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(3)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._color.value); } } public pure nothrow @property @safe @nogc string nametag() { return _nametag.value; } public pure nothrow @property @safe string nametag(string value) { this._cached = false; this._nametag.value = value; if(!this._nametag.changed) { this._nametag.changed = true; this._changed ~= &this.encodeNametag; } return value; } public pure nothrow @safe encodeNametag(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(4)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._nametag.value.length)); writeString(this._nametag.value); } } public pure nothrow @property @safe @nogc long owner() { return _owner.value; } public pure nothrow @property @safe long owner(long value) { this._cached = false; this._owner.value = value; if(!this._owner.changed) { this._owner.changed = true; this._changed ~= &this.encodeOwner; } return value; } public pure nothrow @safe encodeOwner(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(5)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._owner.value)); } } public pure nothrow @property @safe @nogc long target() { return _target.value; } public pure nothrow @property @safe long target(long value) { this._cached = false; this._target.value = value; if(!this._target.changed) { this._target.changed = true; this._changed ~= &this.encodeTarget; } return value; } public pure nothrow @safe encodeTarget(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(6)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._target.value)); } } public pure nothrow @property @safe @nogc short air() { return _air; } public pure nothrow @property @safe short air(short value) { this._cached = false; this._air = value; return value; } public pure nothrow @safe encodeAir(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(7)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._air); } } public pure nothrow @property @safe @nogc int potionColor() { return _potionColor.value; } public pure nothrow @property @safe int potionColor(int value) { this._cached = false; this._potionColor.value = value; if(!this._potionColor.changed) { this._potionColor.changed = true; this._changed ~= &this.encodePotionColor; } return value; } public pure nothrow @safe encodePotionColor(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(8)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._potionColor.value)); } } public pure nothrow @property @safe @nogc byte potionAmbient() { return _potionAmbient.value; } public pure nothrow @property @safe byte potionAmbient(byte value) { this._cached = false; this._potionAmbient.value = value; if(!this._potionAmbient.changed) { this._potionAmbient.changed = true; this._changed ~= &this.encodePotionAmbient; } return value; } public pure nothrow @safe encodePotionAmbient(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(9)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._potionAmbient.value); } } public pure nothrow @property @safe @nogc int hurtTime() { return _hurtTime.value; } public pure nothrow @property @safe int hurtTime(int value) { this._cached = false; this._hurtTime.value = value; if(!this._hurtTime.changed) { this._hurtTime.changed = true; this._changed ~= &this.encodeHurtTime; } return value; } public pure nothrow @safe encodeHurtTime(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(11)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._hurtTime.value)); } } public pure nothrow @property @safe @nogc int hurtDirection() { return _hurtDirection.value; } public pure nothrow @property @safe int hurtDirection(int value) { this._cached = false; this._hurtDirection.value = value; if(!this._hurtDirection.changed) { this._hurtDirection.changed = true; this._changed ~= &this.encodeHurtDirection; } return value; } public pure nothrow @safe encodeHurtDirection(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(12)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._hurtDirection.value)); } } public pure nothrow @property @safe @nogc float paddleTimeLeft() { return _paddleTimeLeft.value; } public pure nothrow @property @safe float paddleTimeLeft(float value) { this._cached = false; this._paddleTimeLeft.value = value; if(!this._paddleTimeLeft.changed) { this._paddleTimeLeft.changed = true; this._changed ~= &this.encodePaddleTimeLeft; } return value; } public pure nothrow @safe encodePaddleTimeLeft(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(13)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._paddleTimeLeft.value); } } public pure nothrow @property @safe @nogc float paddleTimeRight() { return _paddleTimeRight.value; } public pure nothrow @property @safe float paddleTimeRight(float value) { this._cached = false; this._paddleTimeRight.value = value; if(!this._paddleTimeRight.changed) { this._paddleTimeRight.changed = true; this._changed ~= &this.encodePaddleTimeRight; } return value; } public pure nothrow @safe encodePaddleTimeRight(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(14)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._paddleTimeRight.value); } } public pure nothrow @property @safe @nogc int experienceCount() { return _experienceCount.value; } public pure nothrow @property @safe int experienceCount(int value) { this._cached = false; this._experienceCount.value = value; if(!this._experienceCount.changed) { this._experienceCount.changed = true; this._changed ~= &this.encodeExperienceCount; } return value; } public pure nothrow @safe encodeExperienceCount(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(15)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._experienceCount.value)); } } public pure nothrow @property @safe @nogc int minecartBlock() { return _minecartBlock.value; } public pure nothrow @property @safe int minecartBlock(int value) { this._cached = false; this._minecartBlock.value = value; if(!this._minecartBlock.changed) { this._minecartBlock.changed = true; this._changed ~= &this.encodeMinecartBlock; } return value; } public pure nothrow @safe encodeMinecartBlock(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(16)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._minecartBlock.value)); } } public pure nothrow @property @safe @nogc int minecartOffset() { return _minecartOffset.value; } public pure nothrow @property @safe int minecartOffset(int value) { this._cached = false; this._minecartOffset.value = value; if(!this._minecartOffset.changed) { this._minecartOffset.changed = true; this._changed ~= &this.encodeMinecartOffset; } return value; } public pure nothrow @safe encodeMinecartOffset(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(17)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._minecartOffset.value)); } } public pure nothrow @property @safe @nogc byte minecartHasBlock() { return _minecartHasBlock.value; } public pure nothrow @property @safe byte minecartHasBlock(byte value) { this._cached = false; this._minecartHasBlock.value = value; if(!this._minecartHasBlock.changed) { this._minecartHasBlock.changed = true; this._changed ~= &this.encodeMinecartHasBlock; } return value; } public pure nothrow @safe encodeMinecartHasBlock(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(18)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._minecartHasBlock.value); } } public pure nothrow @property @safe @nogc short endermanItemId() { return _endermanItemId.value; } public pure nothrow @property @safe short endermanItemId(short value) { this._cached = false; this._endermanItemId.value = value; if(!this._endermanItemId.changed) { this._endermanItemId.changed = true; this._changed ~= &this.encodeEndermanItemId; } return value; } public pure nothrow @safe encodeEndermanItemId(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(23)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._endermanItemId.value); } } public pure nothrow @property @safe @nogc short endermanItemDamage() { return _endermanItemDamage.value; } public pure nothrow @property @safe short endermanItemDamage(short value) { this._cached = false; this._endermanItemDamage.value = value; if(!this._endermanItemDamage.changed) { this._endermanItemDamage.changed = true; this._changed ~= &this.encodeEndermanItemDamage; } return value; } public pure nothrow @safe encodeEndermanItemDamage(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(24)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._endermanItemDamage.value); } } public pure nothrow @property @safe @nogc short age() { return _age.value; } public pure nothrow @property @safe short age(short value) { this._cached = false; this._age.value = value; if(!this._age.changed) { this._age.changed = true; this._changed ~= &this.encodeAge; } return value; } public pure nothrow @safe encodeAge(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(25)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._age.value); } } public pure nothrow @property @safe @nogc byte playerFlags() { return _playerFlags.value; } public pure nothrow @property @safe byte playerFlags(byte value) { this._cached = false; this._playerFlags.value = value; if(!this._playerFlags.changed) { this._playerFlags.changed = true; this._changed ~= &this.encodePlayerFlags; } return value; } public pure nothrow @safe encodePlayerFlags(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(27)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._playerFlags.value); } } public pure nothrow @property @safe bool asleep() { return _playerFlags.value._1; } public pure nothrow @property @safe bool asleep(bool value) { _playerFlags.value._1 = value; return value; } public pure nothrow @property @safe @nogc int playerIndex() { return _playerIndex.value; } public pure nothrow @property @safe int playerIndex(int value) { this._cached = false; this._playerIndex.value = value; if(!this._playerIndex.changed) { this._playerIndex.changed = true; this._changed ~= &this.encodePlayerIndex; } return value; } public pure nothrow @safe encodePlayerIndex(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(28)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._playerIndex.value)); } } public pure nothrow @property @safe @nogc Tuple!(int, "x", int, "y", int, "z") bedPosition() { return _bedPosition.value; } public pure nothrow @property @safe Tuple!(int, "x", int, "y", int, "z") bedPosition(Tuple!(int, "x", int, "y", int, "z") value) { this._cached = false; this._bedPosition.value = value; if(!this._bedPosition.changed) { this._bedPosition.changed = true; this._changed ~= &this.encodeBedPosition; } return value; } public pure nothrow @safe encodeBedPosition(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(29)); writeBytes(varuint.encode(6)); writeBytes(varint.encode(this._bedPosition.value.x)); writeBytes(varint.encode(this._bedPosition.value.y)); writeBytes(varint.encode(this._bedPosition.value.z)); } } public pure nothrow @property @safe @nogc float fireballPowerX() { return _fireballPowerX.value; } public pure nothrow @property @safe float fireballPowerX(float value) { this._cached = false; this._fireballPowerX.value = value; if(!this._fireballPowerX.changed) { this._fireballPowerX.changed = true; this._changed ~= &this.encodeFireballPowerX; } return value; } public pure nothrow @safe encodeFireballPowerX(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(30)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._fireballPowerX.value); } } public pure nothrow @property @safe @nogc float fireballPowerY() { return _fireballPowerY.value; } public pure nothrow @property @safe float fireballPowerY(float value) { this._cached = false; this._fireballPowerY.value = value; if(!this._fireballPowerY.changed) { this._fireballPowerY.changed = true; this._changed ~= &this.encodeFireballPowerY; } return value; } public pure nothrow @safe encodeFireballPowerY(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(31)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._fireballPowerY.value); } } public pure nothrow @property @safe @nogc float fireballPowerZ() { return _fireballPowerZ.value; } public pure nothrow @property @safe float fireballPowerZ(float value) { this._cached = false; this._fireballPowerZ.value = value; if(!this._fireballPowerZ.changed) { this._fireballPowerZ.changed = true; this._changed ~= &this.encodeFireballPowerZ; } return value; } public pure nothrow @safe encodeFireballPowerZ(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(32)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._fireballPowerZ.value); } } public pure nothrow @property @safe @nogc short potionAuxValue() { return _potionAuxValue.value; } public pure nothrow @property @safe short potionAuxValue(short value) { this._cached = false; this._potionAuxValue.value = value; if(!this._potionAuxValue.changed) { this._potionAuxValue.changed = true; this._changed ~= &this.encodePotionAuxValue; } return value; } public pure nothrow @safe encodePotionAuxValue(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(37)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._potionAuxValue.value); } } public pure nothrow @property @safe @nogc long leadHolder() { return _leadHolder; } public pure nothrow @property @safe long leadHolder(long value) { this._cached = false; this._leadHolder = value; return value; } public pure nothrow @safe encodeLeadHolder(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(38)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._leadHolder)); } } public pure nothrow @property @safe @nogc float scale() { return _scale.value; } public pure nothrow @property @safe float scale(float value) { this._cached = false; this._scale.value = value; if(!this._scale.changed) { this._scale.changed = true; this._changed ~= &this.encodeScale; } return value; } public pure nothrow @safe encodeScale(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(39)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._scale.value); } } public pure nothrow @property @safe @nogc string interactiveTag() { return _interactiveTag.value; } public pure nothrow @property @safe string interactiveTag(string value) { this._cached = false; this._interactiveTag.value = value; if(!this._interactiveTag.changed) { this._interactiveTag.changed = true; this._changed ~= &this.encodeInteractiveTag; } return value; } public pure nothrow @safe encodeInteractiveTag(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(40)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._interactiveTag.value.length)); writeString(this._interactiveTag.value); } } public pure nothrow @property @safe @nogc string npcId() { return _npcId.value; } public pure nothrow @property @safe string npcId(string value) { this._cached = false; this._npcId.value = value; if(!this._npcId.changed) { this._npcId.changed = true; this._changed ~= &this.encodeNpcId; } return value; } public pure nothrow @safe encodeNpcId(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(41)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._npcId.value.length)); writeString(this._npcId.value); } } public pure nothrow @property @safe @nogc string interactiveTagUrl() { return _interactiveTagUrl.value; } public pure nothrow @property @safe string interactiveTagUrl(string value) { this._cached = false; this._interactiveTagUrl.value = value; if(!this._interactiveTagUrl.changed) { this._interactiveTagUrl.changed = true; this._changed ~= &this.encodeInteractiveTagUrl; } return value; } public pure nothrow @safe encodeInteractiveTagUrl(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(42)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._interactiveTagUrl.value.length)); writeString(this._interactiveTagUrl.value); } } public pure nothrow @property @safe @nogc short maxAir() { return _maxAir.value; } public pure nothrow @property @safe short maxAir(short value) { this._cached = false; this._maxAir.value = value; if(!this._maxAir.changed) { this._maxAir.changed = true; this._changed ~= &this.encodeMaxAir; } return value; } public pure nothrow @safe encodeMaxAir(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(43)); writeBytes(varuint.encode(1)); writeLittleEndianShort(this._maxAir.value); } } public pure nothrow @property @safe @nogc int markVariant() { return _markVariant.value; } public pure nothrow @property @safe int markVariant(int value) { this._cached = false; this._markVariant.value = value; if(!this._markVariant.changed) { this._markVariant.changed = true; this._changed ~= &this.encodeMarkVariant; } return value; } public pure nothrow @safe encodeMarkVariant(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(44)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._markVariant.value)); } } public pure nothrow @property @safe @nogc Tuple!(int, "x", int, "y", int, "z") blockTarget() { return _blockTarget.value; } public pure nothrow @property @safe Tuple!(int, "x", int, "y", int, "z") blockTarget(Tuple!(int, "x", int, "y", int, "z") value) { this._cached = false; this._blockTarget.value = value; if(!this._blockTarget.changed) { this._blockTarget.changed = true; this._changed ~= &this.encodeBlockTarget; } return value; } public pure nothrow @safe encodeBlockTarget(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(48)); writeBytes(varuint.encode(6)); writeBytes(varint.encode(this._blockTarget.value.x)); writeBytes(varint.encode(this._blockTarget.value.y)); writeBytes(varint.encode(this._blockTarget.value.z)); } } public pure nothrow @property @safe @nogc int invulnerableTime() { return _invulnerableTime.value; } public pure nothrow @property @safe int invulnerableTime(int value) { this._cached = false; this._invulnerableTime.value = value; if(!this._invulnerableTime.changed) { this._invulnerableTime.changed = true; this._changed ~= &this.encodeInvulnerableTime; } return value; } public pure nothrow @safe encodeInvulnerableTime(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(49)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._invulnerableTime.value)); } } public pure nothrow @property @safe @nogc long centerHeadTarget() { return _centerHeadTarget.value; } public pure nothrow @property @safe long centerHeadTarget(long value) { this._cached = false; this._centerHeadTarget.value = value; if(!this._centerHeadTarget.changed) { this._centerHeadTarget.changed = true; this._changed ~= &this.encodeCenterHeadTarget; } return value; } public pure nothrow @safe encodeCenterHeadTarget(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(50)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._centerHeadTarget.value)); } } public pure nothrow @property @safe @nogc long leftHeadTarget() { return _leftHeadTarget.value; } public pure nothrow @property @safe long leftHeadTarget(long value) { this._cached = false; this._leftHeadTarget.value = value; if(!this._leftHeadTarget.changed) { this._leftHeadTarget.changed = true; this._changed ~= &this.encodeLeftHeadTarget; } return value; } public pure nothrow @safe encodeLeftHeadTarget(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(51)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._leftHeadTarget.value)); } } public pure nothrow @property @safe @nogc long rightHeadTarget() { return _rightHeadTarget.value; } public pure nothrow @property @safe long rightHeadTarget(long value) { this._cached = false; this._rightHeadTarget.value = value; if(!this._rightHeadTarget.changed) { this._rightHeadTarget.changed = true; this._changed ~= &this.encodeRightHeadTarget; } return value; } public pure nothrow @safe encodeRightHeadTarget(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(52)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._rightHeadTarget.value)); } } public pure nothrow @property @safe @nogc float boundingBoxWidth() { return _boundingBoxWidth.value; } public pure nothrow @property @safe float boundingBoxWidth(float value) { this._cached = false; this._boundingBoxWidth.value = value; if(!this._boundingBoxWidth.changed) { this._boundingBoxWidth.changed = true; this._changed ~= &this.encodeBoundingBoxWidth; } return value; } public pure nothrow @safe encodeBoundingBoxWidth(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(54)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._boundingBoxWidth.value); } } public pure nothrow @property @safe @nogc float boundingBoxHeight() { return _boundingBoxHeight.value; } public pure nothrow @property @safe float boundingBoxHeight(float value) { this._cached = false; this._boundingBoxHeight.value = value; if(!this._boundingBoxHeight.changed) { this._boundingBoxHeight.changed = true; this._changed ~= &this.encodeBoundingBoxHeight; } return value; } public pure nothrow @safe encodeBoundingBoxHeight(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(55)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._boundingBoxHeight.value); } } public pure nothrow @property @safe @nogc int fuseLength() { return _fuseLength.value; } public pure nothrow @property @safe int fuseLength(int value) { this._cached = false; this._fuseLength.value = value; if(!this._fuseLength.changed) { this._fuseLength.changed = true; this._changed ~= &this.encodeFuseLength; } return value; } public pure nothrow @safe encodeFuseLength(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(56)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._fuseLength.value)); } } public pure nothrow @property @safe @nogc Tuple!(float, "x", float, "y", float, "z") riderSeatPosition() { return _riderSeatPosition.value; } public pure nothrow @property @safe Tuple!(float, "x", float, "y", float, "z") riderSeatPosition(Tuple!(float, "x", float, "y", float, "z") value) { this._cached = false; this._riderSeatPosition.value = value; if(!this._riderSeatPosition.changed) { this._riderSeatPosition.changed = true; this._changed ~= &this.encodeRiderSeatPosition; } return value; } public pure nothrow @safe encodeRiderSeatPosition(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(57)); writeBytes(varuint.encode(8)); writeLittleEndianFloat(this._riderSeatPosition.value.x); writeLittleEndianFloat(this._riderSeatPosition.value.y); writeLittleEndianFloat(this._riderSeatPosition.value.z); } } public pure nothrow @property @safe @nogc byte riderRotationLocked() { return _riderRotationLocked.value; } public pure nothrow @property @safe byte riderRotationLocked(byte value) { this._cached = false; this._riderRotationLocked.value = value; if(!this._riderRotationLocked.changed) { this._riderRotationLocked.changed = true; this._changed ~= &this.encodeRiderRotationLocked; } return value; } public pure nothrow @safe encodeRiderRotationLocked(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(58)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._riderRotationLocked.value); } } public pure nothrow @property @safe @nogc float riderMaxRotation() { return _riderMaxRotation.value; } public pure nothrow @property @safe float riderMaxRotation(float value) { this._cached = false; this._riderMaxRotation.value = value; if(!this._riderMaxRotation.changed) { this._riderMaxRotation.changed = true; this._changed ~= &this.encodeRiderMaxRotation; } return value; } public pure nothrow @safe encodeRiderMaxRotation(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(59)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._riderMaxRotation.value); } } public pure nothrow @property @safe @nogc float riderMinRotation() { return _riderMinRotation.value; } public pure nothrow @property @safe float riderMinRotation(float value) { this._cached = false; this._riderMinRotation.value = value; if(!this._riderMinRotation.changed) { this._riderMinRotation.changed = true; this._changed ~= &this.encodeRiderMinRotation; } return value; } public pure nothrow @safe encodeRiderMinRotation(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(60)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._riderMinRotation.value); } } public pure nothrow @property @safe @nogc float areaEffectCloudRadius() { return _areaEffectCloudRadius.value; } public pure nothrow @property @safe float areaEffectCloudRadius(float value) { this._cached = false; this._areaEffectCloudRadius.value = value; if(!this._areaEffectCloudRadius.changed) { this._areaEffectCloudRadius.changed = true; this._changed ~= &this.encodeAreaEffectCloudRadius; } return value; } public pure nothrow @safe encodeAreaEffectCloudRadius(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(61)); writeBytes(varuint.encode(3)); writeLittleEndianFloat(this._areaEffectCloudRadius.value); } } public pure nothrow @property @safe @nogc int areaEffectCloudWaiting() { return _areaEffectCloudWaiting.value; } public pure nothrow @property @safe int areaEffectCloudWaiting(int value) { this._cached = false; this._areaEffectCloudWaiting.value = value; if(!this._areaEffectCloudWaiting.changed) { this._areaEffectCloudWaiting.changed = true; this._changed ~= &this.encodeAreaEffectCloudWaiting; } return value; } public pure nothrow @safe encodeAreaEffectCloudWaiting(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(62)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._areaEffectCloudWaiting.value)); } } public pure nothrow @property @safe @nogc int areaEffectCloudParticle() { return _areaEffectCloudParticle.value; } public pure nothrow @property @safe int areaEffectCloudParticle(int value) { this._cached = false; this._areaEffectCloudParticle.value = value; if(!this._areaEffectCloudParticle.changed) { this._areaEffectCloudParticle.changed = true; this._changed ~= &this.encodeAreaEffectCloudParticle; } return value; } public pure nothrow @safe encodeAreaEffectCloudParticle(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(63)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._areaEffectCloudParticle.value)); } } public pure nothrow @property @safe @nogc int shulkerPeakHeight() { return _shulkerPeakHeight.value; } public pure nothrow @property @safe int shulkerPeakHeight(int value) { this._cached = false; this._shulkerPeakHeight.value = value; if(!this._shulkerPeakHeight.changed) { this._shulkerPeakHeight.changed = true; this._changed ~= &this.encodeShulkerPeakHeight; } return value; } public pure nothrow @safe encodeShulkerPeakHeight(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(64)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._shulkerPeakHeight.value)); } } public pure nothrow @property @safe @nogc byte shulkerDirection() { return _shulkerDirection.value; } public pure nothrow @property @safe byte shulkerDirection(byte value) { this._cached = false; this._shulkerDirection.value = value; if(!this._shulkerDirection.changed) { this._shulkerDirection.changed = true; this._changed ~= &this.encodeShulkerDirection; } return value; } public pure nothrow @safe encodeShulkerDirection(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(65)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._shulkerDirection.value); } } public pure nothrow @property @safe @nogc Tuple!(int, "x", int, "y", int, "z") shulkerAttachment() { return _shulkerAttachment.value; } public pure nothrow @property @safe Tuple!(int, "x", int, "y", int, "z") shulkerAttachment(Tuple!(int, "x", int, "y", int, "z") value) { this._cached = false; this._shulkerAttachment.value = value; if(!this._shulkerAttachment.changed) { this._shulkerAttachment.changed = true; this._changed ~= &this.encodeShulkerAttachment; } return value; } public pure nothrow @safe encodeShulkerAttachment(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(67)); writeBytes(varuint.encode(6)); writeBytes(varint.encode(this._shulkerAttachment.value.x)); writeBytes(varint.encode(this._shulkerAttachment.value.y)); writeBytes(varint.encode(this._shulkerAttachment.value.z)); } } public pure nothrow @property @safe @nogc long tradingPlayer() { return _tradingPlayer.value; } public pure nothrow @property @safe long tradingPlayer(long value) { this._cached = false; this._tradingPlayer.value = value; if(!this._tradingPlayer.changed) { this._tradingPlayer.changed = true; this._changed ~= &this.encodeTradingPlayer; } return value; } public pure nothrow @safe encodeTradingPlayer(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(68)); writeBytes(varuint.encode(7)); writeBytes(varlong.encode(this._tradingPlayer.value)); } } public pure nothrow @property @safe @nogc string commandBlockCommand() { return _commandBlockCommand.value; } public pure nothrow @property @safe string commandBlockCommand(string value) { this._cached = false; this._commandBlockCommand.value = value; if(!this._commandBlockCommand.changed) { this._commandBlockCommand.changed = true; this._changed ~= &this.encodeCommandBlockCommand; } return value; } public pure nothrow @safe encodeCommandBlockCommand(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(71)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._commandBlockCommand.value.length)); writeString(this._commandBlockCommand.value); } } public pure nothrow @property @safe @nogc string commandBlockLastOutput() { return _commandBlockLastOutput.value; } public pure nothrow @property @safe string commandBlockLastOutput(string value) { this._cached = false; this._commandBlockLastOutput.value = value; if(!this._commandBlockLastOutput.changed) { this._commandBlockLastOutput.changed = true; this._changed ~= &this.encodeCommandBlockLastOutput; } return value; } public pure nothrow @safe encodeCommandBlockLastOutput(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(72)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._commandBlockLastOutput.value.length)); writeString(this._commandBlockLastOutput.value); } } public pure nothrow @property @safe @nogc string commandBlockTrackOutput() { return _commandBlockTrackOutput.value; } public pure nothrow @property @safe string commandBlockTrackOutput(string value) { this._cached = false; this._commandBlockTrackOutput.value = value; if(!this._commandBlockTrackOutput.changed) { this._commandBlockTrackOutput.changed = true; this._changed ~= &this.encodeCommandBlockTrackOutput; } return value; } public pure nothrow @safe encodeCommandBlockTrackOutput(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(73)); writeBytes(varuint.encode(4)); writeBytes(varuint.encode(cast(uint)this._commandBlockTrackOutput.value.length)); writeString(this._commandBlockTrackOutput.value); } } public pure nothrow @property @safe @nogc byte controllingRiderSeatNumber() { return _controllingRiderSeatNumber.value; } public pure nothrow @property @safe byte controllingRiderSeatNumber(byte value) { this._cached = false; this._controllingRiderSeatNumber.value = value; if(!this._controllingRiderSeatNumber.changed) { this._controllingRiderSeatNumber.changed = true; this._changed ~= &this.encodeControllingRiderSeatNumber; } return value; } public pure nothrow @safe encodeControllingRiderSeatNumber(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(74)); writeBytes(varuint.encode(0)); writeLittleEndianByte(this._controllingRiderSeatNumber.value); } } public pure nothrow @property @safe @nogc int strength() { return _strength.value; } public pure nothrow @property @safe int strength(int value) { this._cached = false; this._strength.value = value; if(!this._strength.changed) { this._strength.changed = true; this._changed ~= &this.encodeStrength; } return value; } public pure nothrow @safe encodeStrength(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(75)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._strength.value)); } } public pure nothrow @property @safe @nogc int maxStrength() { return _maxStrength.value; } public pure nothrow @property @safe int maxStrength(int value) { this._cached = false; this._maxStrength.value = value; if(!this._maxStrength.changed) { this._maxStrength.changed = true; this._changed ~= &this.encodeMaxStrength; } return value; } public pure nothrow @safe encodeMaxStrength(Buffer buffer) { with(buffer) { writeBytes(varuint.encode(76)); writeBytes(varuint.encode(2)); writeBytes(varint.encode(this._maxStrength.value)); } } public pure nothrow @safe encode(Buffer buffer) { with(buffer) { if(this._cached) { buffer.writeBytes(this._cache); } else { immutable start = buffer._buffer.length; writeBytes(varuint.encode(cast(uint)this._changed.length)); foreach(del ; this._changed) del(buffer); this._cached = true; this._cache = buffer._buffer[start..$]; } } } public static pure nothrow @safe Metadata decode(Buffer buffer) { auto metadata = new Metadata(); with(buffer) { uint id; size_t length=varuint.decode(_buffer, &_index); while(length-- > 0) { id=varuint.decode(_buffer, &_index); switch(varuint.decode(_buffer, &_index)) { case 0: byte _0; _0=readLittleEndianByte(); metadata.decoded ~= DecodedMetadata.fromByte(id, _0); break; case 1: short _1; _1=readLittleEndianShort(); metadata.decoded ~= DecodedMetadata.fromShort(id, _1); break; case 2: int _2; _2=varint.decode(_buffer, &_index); metadata.decoded ~= DecodedMetadata.fromInt(id, _2); break; case 3: float _3; _3=readLittleEndianFloat(); metadata.decoded ~= DecodedMetadata.fromFloat(id, _3); break; case 4: string _4; uint xq=varuint.decode(_buffer, &_index); _4=readString(xq); metadata.decoded ~= DecodedMetadata.fromString(id, _4); break; case 5: sul.protocol.bedrock137.types.Slot _5; _5.decode(bufferInstance); metadata.decoded ~= DecodedMetadata.fromSlot(id, _5); break; case 6: Tuple!(int, "x", int, "y", int, "z") _6; _6.x=varint.decode(_buffer, &_index); _6.y=varint.decode(_buffer, &_index); _6.z=varint.decode(_buffer, &_index); metadata.decoded ~= DecodedMetadata.fromBlockPosition(id, _6); break; case 7: long _7; _7=varlong.decode(_buffer, &_index); metadata.decoded ~= DecodedMetadata.fromLong(id, _7); break; case 8: Tuple!(float, "x", float, "y", float, "z") _8; _8.x=readLittleEndianFloat(); _8.y=readLittleEndianFloat(); _8.z=readLittleEndianFloat(); metadata.decoded ~= DecodedMetadata.fromEntityPosition(id, _8); break; default: break; } } } return metadata; } } class DecodedMetadata { public immutable uint id; public immutable uint type; union { byte byte_; short short_; int int_; float float_; string string_; sul.protocol.bedrock137.types.Slot slot; Tuple!(int, "x", int, "y", int, "z") block_position; long long_; Tuple!(float, "x", float, "y", float, "z") entity_position; } private pure nothrow @safe @nogc this(uint id, uint type) { this.id = id; this.type = type; } public static pure nothrow @trusted DecodedMetadata fromByte(uint id, byte value) { auto ret = new DecodedMetadata(id, 0); ret.byte_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromShort(uint id, short value) { auto ret = new DecodedMetadata(id, 1); ret.short_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromInt(uint id, int value) { auto ret = new DecodedMetadata(id, 2); ret.int_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromFloat(uint id, float value) { auto ret = new DecodedMetadata(id, 3); ret.float_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromString(uint id, string value) { auto ret = new DecodedMetadata(id, 4); ret.string_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromSlot(uint id, sul.protocol.bedrock137.types.Slot value) { auto ret = new DecodedMetadata(id, 5); ret.slot = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromBlockPosition(uint id, Tuple!(int, "x", int, "y", int, "z") value) { auto ret = new DecodedMetadata(id, 6); ret.block_position = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromLong(uint id, long value) { auto ret = new DecodedMetadata(id, 7); ret.long_ = value; return ret; } public static pure nothrow @trusted DecodedMetadata fromEntityPosition(uint id, Tuple!(float, "x", float, "y", float, "z") value) { auto ret = new DecodedMetadata(id, 8); ret.entity_position = value; return ret; } }
D
module ui.widgets.positionbox; import position; import utils; import ui.renderhelper; import ui.widgets.containerwidget; import ui.widgets.iwidget; import derelict.sdl2.sdl; /** * widget container that arranges its children by position **/ class PositionBox : ContainerWidget { private IWidget[] children; private Position[] childrenPositions; public this(RenderHelper renderer, const(SDL_Rect *)bounds = new SDL_Rect()) { super(renderer, bounds); } protected override void updateChildren() { int maxWidth = 0; int maxHeight = 0; for (int i = 0; i < this.children.length; ++i) { this.children[i].setXY( this.bounds.x + this.childrenPositions[i].i, this.bounds.y + this.childrenPositions[i].j); const(SDL_Rect*) newBounds = this.children[i].getBounds(); maxWidth = max(cast(const(int))maxWidth, newBounds.x + newBounds.w); maxHeight = max(cast(const(int))maxHeight, newBounds.y + newBounds.h); } this.bounds.w = maxWidth; this.bounds.h = maxHeight; } }
D
module argon.parser; import std.string; import std.array; import std.uni; import argon.ast; ASTTemplateNode parseArgonTemplate(string file, string source) { auto state = new ParserState(file, source.replace("\r\n", "\n")); auto node = new ASTTemplateNode; state.parent = node; node.file = file; node.children = parseArgonNodes(state); state.parent = node.parent; return node; } ASTHTMLNode parseArgonHTML(ParserState state) { Appender!(string) html; auto node = new ASTHTMLNode; node.parent = state.parent; while(!state.testFor("{include=") && !state.testFor("{element=") && !state.testFor("{list=") && !state.testFor("{/list}") && state.remaining > 0) { html.put(state.pop()); } if (state.testFor("{include=")) { auto lines = html.data.splitLines; lines[$-1] = lines[$-1].stripRight; node.html = lines.join("\n"); } else node.html = html.data.stripRight; return node; } ASTIncludeNode parseArgonInclude(ParserState state) { auto node = new ASTIncludeNode; node.parent = state.parent; state.expect("{include="); node.file = parseString(state); state.expect("}"); return node; } ASTElementNode parseArgonElement(ParserState state) { auto node = new ASTElementNode; node.parent = state.parent; state.parent = node; state.expect("{element="); node.identifier = parseArgonIdentifier(state); state.expect("}"); state.parent = node.parent; return node; } ASTListNode parseArgonList(ParserState state) { auto node = new ASTListNode; node.parent = state.parent; state.parent = node; state.expect("{list="); node.identifier = parseArgonIdentifier(state); state.expect("}"); //state.pos += state.source[state.pos..$].length-state.source[state.pos..$].stripLeft().length; node.children = parseArgonNodes(state, "{/list}"); state.expect("{/list}"); state.parent = node.parent; return node; } ASTIdentifierNode parseArgonIdentifier(ParserState state) { auto node = new ASTIdentifierNode; node.parent = state.parent; node.callChain.length = 1; while(state.peek().isAlphaNum() || state.peek() == '_') node.namespace ~= state.pop(); state.expect(":"); while(state.peek().isAlphaNum() || state.peek() == '_' || state.peek() == '[' || state.peek() == '.') { node.callChain[$-1] ~= state.pop(); if (state.peek() == '.') { state.pop(); node.callChain.length++; } else if (state.peek == '[') { node.callChain.length++; state.pop(); node.callChain[$-1] ~= "[" ~ state.peek() ~ "]"; if (state.peek != '#') state.expect("$"); else state.pop(); state.expect("]"); } } return node; } ASTNode[] parseArgonNodes(ParserState state, string stopString = null) { ASTNode[] children; for(auto child = parseArgonNode(state, stopString); child !is null; child = parseArgonNode(state, stopString)) children ~= child; return children; } ASTNode parseArgonNode(ParserState state, string stopString = null) { if ((stopString !is null && state.testFor(stopString)) || state.remaining == 0) return null; else if (state.testFor("{include=")) return parseArgonInclude(state); else if (state.testFor("{element=")) return parseArgonElement(state); else if (state.testFor("{list=")) return parseArgonList(state); else return parseArgonHTML(state); } string parseString(ParserState state) { state.expect(`"`); Appender!string str; while(state.peek() != '"') { str.put(state.pop()); } state.expect(`"`); return str.data; } class ParserState { size_t line = 1, colunm; string file; size_t pos; string source; ASTNode parent; this(string file, string source) { this.file = file; this.source = source; } bool testFor(string test) { return source.length >= pos + test.length && source[pos..pos+test.length] == test; } void advance(size_t count = 1) { if (pos+count > source.length) throw new ArgonParserException("Unexpected end of file", getSourceLocation()); foreach(i; 0..count) { if (peek == '\n') { colunm = 0; line++; } else { colunm++; } pos++; } } void expect(string str) { if (!testFor(str)) throw new ArgonParserException("Expected "~str, getSourceLocation()); advance(str.length); } char peek() { return source[pos]; } char pop() { char c = peek(); advance(); return c; } SourceLocation getSourceLocation() { return new SourceLocation(file, line, colunm); } @property size_t remaining() { return source.length - pos; } } class ArgonParserException : Exception { this(string msg, SourceLocation sourceLocation, string file = __FILE__, size_t line = __LINE__) { super(msg ~ ' ' ~ sourceLocation.getErrorMessage(), file, line); } }
D
/Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/Objects-normal/x86_64/UIView+Extension.o : /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Appearance/SkeletonAppearance.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDataSource.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/Recoverable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+IBInspectable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/SkeletonTransitionStyle.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Frame.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UILabel+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UITextView+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+UIApplicationDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/RecoverableViewState.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonConfig.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/Swizzling.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Debug/SkeletonDebug.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/SkeletonReusableCell.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/RecursiveProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/PrepareForSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Extension.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIColor+Skeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/UIView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/UITableView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/UICollectionView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonAnimationBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonMultilineLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonLayer.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/Int+Whitespaces.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SubviewsSkeletonables.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/SkeletonTableViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/SkeletonCollectionViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/CALayer+Extensions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UITableView+VisibleSections.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/UIView+Transitions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonGradient.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/ProcessInfo+XCTest.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Autolayout.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/ContainsMultilineText.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/GenericCollectionView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonFlow.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/AssociationPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/SkeletonView/SkeletonView-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/Objects-normal/x86_64/UIView+Extension~partial.swiftmodule : /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Appearance/SkeletonAppearance.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDataSource.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/Recoverable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+IBInspectable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/SkeletonTransitionStyle.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Frame.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UILabel+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UITextView+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+UIApplicationDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/RecoverableViewState.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonConfig.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/Swizzling.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Debug/SkeletonDebug.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/SkeletonReusableCell.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/RecursiveProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/PrepareForSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Extension.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIColor+Skeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/UIView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/UITableView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/UICollectionView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonAnimationBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonMultilineLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonLayer.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/Int+Whitespaces.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SubviewsSkeletonables.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/SkeletonTableViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/SkeletonCollectionViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/CALayer+Extensions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UITableView+VisibleSections.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/UIView+Transitions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonGradient.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/ProcessInfo+XCTest.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Autolayout.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/ContainsMultilineText.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/GenericCollectionView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonFlow.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/AssociationPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/SkeletonView/SkeletonView-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/Objects-normal/x86_64/UIView+Extension~partial.swiftdoc : /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Appearance/SkeletonAppearance.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDataSource.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/Recoverable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+IBInspectable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/SkeletonTransitionStyle.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Frame.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UILabel+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UITextView+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+UIApplicationDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/RecoverableViewState.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonConfig.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/Swizzling.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Debug/SkeletonDebug.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/SkeletonReusableCell.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/RecursiveProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/PrepareForSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Extension.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIColor+Skeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/UIView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/UITableView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/UICollectionView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonAnimationBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonMultilineLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonLayer.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/Int+Whitespaces.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SubviewsSkeletonables.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/SkeletonTableViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/SkeletonCollectionViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/CALayer+Extensions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UITableView+VisibleSections.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/UIView+Transitions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonGradient.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/ProcessInfo+XCTest.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Autolayout.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/ContainsMultilineText.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/GenericCollectionView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonFlow.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/AssociationPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/SkeletonView/SkeletonView-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/Objects-normal/x86_64/UIView+Extension~partial.swiftsourceinfo : /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Appearance/SkeletonAppearance.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDataSource.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/Recoverable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+IBInspectable.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/SkeletonTransitionStyle.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Frame.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UILabel+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/UITextView+Multiline.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+UIApplicationDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/SkeletonCollectionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Recoverable/RecoverableViewState.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonConfig.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/Swizzling.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Debug/SkeletonDebug.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/SkeletonReusableCell.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/RecursiveProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/PrepareForSkeletonProtocol.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Extension.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIColor+Skeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/UIView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/UITableView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/UICollectionView+CollectionSkeleton.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonAnimationBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonMultilineLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Builders/SkeletonLayerBuilder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonLayer.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/Int+Whitespaces.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SubviewsSkeletonables.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/TableViews/SkeletonTableViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/CollectionViews/SkeletonCollectionViewProtocols.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/CALayer+Extensions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UITableView+VisibleSections.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Transitions/UIView+Transitions.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonGradient.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/ProcessInfo+XCTest.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Extensions/UIView+Autolayout.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Multilines/ContainsMultilineText.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Collections/Generics/GenericCollectionView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonView.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/SkeletonFlow.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/SkeletonView/Sources/Helpers/AssociationPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/SkeletonView/SkeletonView-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/SkeletonView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
instance DIA_Edda_EXIT(C_Info) { npc = VLK_471_Edda; nr = 999; condition = DIA_Edda_EXIT_Condition; information = DIA_Edda_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Edda_EXIT_Condition() { return TRUE; }; func void DIA_Edda_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Edda_Hallo(C_Info) { npc = VLK_471_Edda; nr = 2; condition = DIA_Edda_Hallo_Condition; information = DIA_Edda_Hallo_Info; permanent = FALSE; important = TRUE; }; func int DIA_Edda_Hallo_Condition() { if(Npc_IsInState(self,ZS_Talk)) { return TRUE; }; }; func void DIA_Edda_Hallo_Info() { AI_Output(other,self,"DIA_Edda_Hallo_15_00"); //What are you cooking there? AI_Output(self,other,"DIA_Edda_Hallo_17_01"); //A fish soup. It's not all that tasty, but at least it's hot. AI_Output(self,other,"DIA_Edda_Hallo_17_02"); //You can try a plateful if you like. }; instance DIA_Edda_Stadt(C_Info) { npc = VLK_471_Edda; nr = 5; condition = DIA_Edda_Stadt_Condition; information = DIA_Edda_Stadt_Info; permanent = FALSE; description = "What can you tell me about the city?"; }; func int DIA_Edda_Stadt_Condition() { return TRUE; }; func void DIA_Edda_Stadt_Info() { AI_Output(other,self,"DIA_Edda_Stadt_15_00"); //What can you tell me about the city? AI_Output(self,other,"DIA_Edda_Stadt_17_01"); //Most citizens in this town are afraid of thieves. Therefore, it is not a good idea to enter strange houses. AI_Output(self,other,"DIA_Edda_Stadt_17_02"); //But if you're looking for a place to stay overnight, you're welcome to sleep in my hut. There's an extra bed that you can have. AI_Output(other,self,"DIA_Edda_Stadt_15_03"); //Aren't you afraid of thieves? AI_Output(self,other,"DIA_Edda_Stadt_17_04"); //The only valuable thing I ever owned has already been taken. AI_Output(self,other,"DIA_Edda_Stadt_17_05"); //Someone stole my statue of Innos. Edda_Schlafplatz = TRUE; Wld_AssignRoomToGuild("hafen08",GIL_NONE); }; instance DIA_Edda_Kochen(C_Info) { npc = VLK_471_Edda; nr = 6; condition = DIA_Edda_Kochen_Condition; information = DIA_Edda_Kochen_Info; permanent = FALSE; description = "Could you cook me some soup?"; }; func int DIA_Edda_Kochen_Condition() { return TRUE; }; func void DIA_Edda_Kochen_Info() { AI_Output(other,self,"DIA_Edda_Kochen_15_00"); //Could you cook me some soup? AI_Output(self,other,"DIA_Edda_Kochen_17_01"); //I cook for everybody. For you, too, if you want. All you need to do is bring me a fish. }; instance DIA_Edda_Suppe(C_Info) { npc = VLK_471_Edda; nr = 6; condition = DIA_Edda_Suppe_Condition; information = DIA_Edda_Suppe_Info; permanent = TRUE; description = "Could you cook me some soup?"; }; func int DIA_Edda_Suppe_Condition() { if(Npc_KnowsInfo(other,DIA_Edda_Kochen)) { return TRUE; }; }; func void DIA_Edda_Suppe_Info() { AI_Output(other,self,"DIA_Edda_Suppe_15_00"); //Could you cook me some soup? if(Wld_GetDay() == 0) { AI_Output(self,other,"DIA_Edda_Suppe_17_02"); //Starting tomorrow, you can come and get some soup every day. } else if(Edda_Day != Wld_GetDay()) { if(B_GiveInvItems(other,self,ItFo_Fish,1)) { AI_Output(self,other,"DIA_Edda_Suppe_17_01"); //Nothing could be simpler. Here, have a plate. Npc_RemoveInvItems(self,ItFo_Fish,Npc_HasItems(self,ItFo_Fish)); B_GiveInvItems(self,other,ItFo_FishSoup,1); Edda_Day = Wld_GetDay(); } else { AI_Output(self,other,"DIA_Edda_Suppe_17_04"); //Bring me a fish, and I'll cook you a tasty soup. }; } else { AI_Output(self,other,"DIA_Edda_Suppe_17_03"); //No, not today. Come back tomorrow. }; }; instance DIA_Edda_Statue(C_Info) { npc = VLK_471_Edda; nr = 6; condition = DIA_Edda_Statue_Condition; information = DIA_Edda_Statue_Info; permanent = FALSE; description = "Look, I've got a statue of Innos for you."; }; func int DIA_Edda_Statue_Condition() { if(Npc_KnowsInfo(other,DIA_Edda_Stadt) && (Npc_HasItems(other,ItMi_InnosStatue) >= 1)) { return TRUE; }; }; func void DIA_Edda_Statue_Info() { AI_Output(other,self,"DIA_Edda_Statue_15_00"); //Look, I've got a statue of Innos for you. AI_Output(self,other,"DIA_Edda_Statue_17_01"); //Oh - thank you very, very much. May Innos let his light shine on you ... AI_Output(other,self,"DIA_Edda_Statue_15_02"); //Yeah, never mind. B_GiveInvItems(other,self,ItMi_InnosStatue,1); B_GivePlayerXP(XP_Edda_Statue); }; instance DIA_Edda_PICKPOCKET(C_Info) { npc = VLK_471_Edda; nr = 900; condition = DIA_Edda_PICKPOCKET_Condition; information = DIA_Edda_PICKPOCKET_Info; permanent = TRUE; description = "(It would be child's play to steal her statue)"; }; func int DIA_Edda_PICKPOCKET_Condition() { if((Npc_GetTalentSkill(other,NPC_TALENT_PICKPOCKET) == 1) && (self.aivar[AIV_PlayerHasPickedMyPocket] == FALSE) && (Npc_HasItems(self,ItMi_InnosStatue) >= 1) && (other.attribute[ATR_DEXTERITY] >= (20 - Theftdiff))) { return TRUE; }; }; func void DIA_Edda_PICKPOCKET_Info() { Info_ClearChoices(DIA_Edda_PICKPOCKET); Info_AddChoice(DIA_Edda_PICKPOCKET,Dialog_Back,DIA_Edda_PICKPOCKET_BACK); Info_AddChoice(DIA_Edda_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Edda_PICKPOCKET_DoIt); }; func void DIA_Edda_PICKPOCKET_DoIt() { if(other.attribute[ATR_DEXTERITY] >= 20) { B_GiveInvItems(self,other,ItMi_InnosStatue,1); self.aivar[AIV_PlayerHasPickedMyPocket] = TRUE; B_GiveThiefXP(); Info_ClearChoices(DIA_Edda_PICKPOCKET); } else { B_ResetThiefLevel(); AI_StopProcessInfos(self); B_Attack(self,other,AR_Theft,1); }; }; func void DIA_Edda_PICKPOCKET_BACK() { Info_ClearChoices(DIA_Edda_PICKPOCKET); };
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.bigint; void main() { auto N = readln.chomp.to!int; int r, b; foreach (_; 0..N) foreach (c; readln.chomp) { if (c == 'R') { ++r; } else if (c == 'B') { ++b; } } writeln(r == b ? "DRAW" : r > b ? "TAKAHASHI" : "AOKI"); }
D
// https://gcc.gnu.org/bugzilla/show_bug.cgi?id=100882 // { dg-do compile } struct AllocatorList(Factory) { Factory factory; auto make(size_t n) { return factory(n); } this(Factory plant) { factory = plant; } } struct Region { ~this() { } } auto mmapRegionList() { struct Factory { this(size_t ) { } auto opCall(size_t ) { return Region(); } } auto shop = Factory(); AllocatorList!Factory(shop); }
D
prototype Mst_Default_Shadowbeast_Skeleton(C_Npc) { name[0] = "Shadowbeast Skeleton"; guild = GIL_SHADOWBEAST_SKELETON; aivar[AIV_MM_REAL_ID] = ID_SHADOWBEAST_SKELETON; level = 40; attribute[ATR_STRENGTH] = 200; attribute[ATR_DEXTERITY] = 200; attribute[ATR_HITPOINTS_MAX] = 400; attribute[ATR_HITPOINTS] = 400; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 150; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 200; protection[PROT_FIRE] = 150; protection[PROT_FLY] = 150; protection[PROT_MAGIC] = 20; damagetype = DAM_EDGE; fight_tactic = FAI_SHADOWBEAST; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = FALSE; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RoamStart] = OnlyRoutine; }; func void B_SetVisuals_Shadowbeast_Skeleton() { Mdl_SetVisual(self,"Shadow.mds"); Mdl_SetVisualBody(self,"Shadowbeast_Skeleton_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; instance Shadowbeast_Skeleton(Mst_Default_Shadowbeast_Skeleton) { B_SetVisuals_Shadowbeast_Skeleton(); Npc_SetToFistMode(self); }; instance Shadowbeast_Skeleton_Angar(Mst_Default_Shadowbeast_Skeleton) { B_SetVisuals_Shadowbeast_Skeleton(); Npc_SetToFistMode(self); };
D
module arraytest; import pyd.pyd; import std.stdio : writefln, writef; import std.string : format; class Foo { int i; this(int j) { i = j; } void bar() { writefln("Foo.bar: %s", i); } override string toString() { return format("{%s}",i); } } Foo[] global_array; Foo[] get() { writefln("get: %s", global_array); return global_array; } void set(Foo[] a) { writefln("set: a: %s, global: %s", a, global_array); global_array = a; writefln("set: global now: %s", global_array); } Foo test() { return new Foo(10); } extern(C) void PydMain() { global_array.length = 5; for (int i=0; i<5; ++i) { global_array[i] = new Foo(i); } def!(get)(); def!(set)(); def!(test)(); module_init(); wrap_class!( Foo, Init!(int), Repr!(Foo.toString), Def!(Foo.bar) )(); }
D
import std.stdio; int main() { long sum = 0; for (int i=0; i<500000; ++i) { sum += i; } printf("%ld\n", sum); //writefln("%d\n", sum); return 0; }
D
INSTANCE Info_Mod_Knatus_AlvarKristall (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_AlvarKristall_Condition; information = Info_Mod_Knatus_AlvarKristall_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Knatus_AlvarKristall_Condition() { if (Mod_AlvarKristall == 3) && (Npc_KnowsInfo(hero, Info_Mod_Brutus_AlvarKristall3)) { return 1; }; }; FUNC VOID Info_Mod_Knatus_AlvarKristall_Info() { AI_Output(self, hero, "Info_Mod_Knatus_AlvarKristall_03_00"); //Ja, weg mit dem Kerl, schmeißt ihn hier raus. AI_StopProcessInfos (self); AI_Teleport (hero, "EIS_40"); }; INSTANCE Info_Mod_Knatus_Traenenkristall (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_Traenenkristall_Condition; information = Info_Mod_Knatus_Traenenkristall_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Knatus_Traenenkristall_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Serra_Traenenkristall)) { return 1; }; }; FUNC VOID Info_Mod_Knatus_Traenenkristall_Info() { AI_Output(self, hero, "Info_Mod_Knatus_Traenenkristall_03_00"); //Was, dass ist nicht möglich. Ja, jetzt auf einmal fällt es mir wie Schuppen von den Augen. AI_Output(self, hero, "Info_Mod_Knatus_Traenenkristall_03_01"); //Ihr miesen, trügerischen Weiber. AI_StopProcessInfos (self); }; INSTANCE Info_Mod_Knatus_Traenenkristall2 (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_Traenenkristall2_Condition; information = Info_Mod_Knatus_Traenenkristall2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Knatus_Traenenkristall2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Alvar_Unbekannt2)) { return 1; }; }; FUNC VOID Info_Mod_Knatus_Traenenkristall2_Info() { AI_Output(self, hero, "Info_Mod_Knatus_Traenenkristall2_03_00"); //Alvar? Das kann nicht sein. Wir haben dich tot auf dem Berghang liegen sehen ... AI_StopProcessInfos (self); Mod_7561_OUT_Alvar_EIS.name = "Alvar"; }; INSTANCE Info_Mod_Knatus_Traenenkristall3 (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_Traenenkristall3_Condition; information = Info_Mod_Knatus_Traenenkristall3_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Knatus_Traenenkristall3_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Alvar_Unbekannt3)) { return 1; }; }; FUNC VOID Info_Mod_Knatus_Traenenkristall3_Info() { AI_Output(self, hero, "Info_Mod_Knatus_Traenenkristall3_03_00"); //Thys scheint wieder zu Bewusstsein zu kommen. AI_StopProcessInfos (self); B_StartOtherRoutine (Mod_1954_EIS_Thys_EIS, "ALVAR"); }; INSTANCE Info_Mod_Knatus_Pickpocket (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_Pickpocket_Condition; information = Info_Mod_Knatus_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_90; }; FUNC INT Info_Mod_Knatus_Pickpocket_Condition() { C_Beklauen (77, ItMi_Gold, 400); }; FUNC VOID Info_Mod_Knatus_Pickpocket_Info() { Info_ClearChoices (Info_Mod_Knatus_Pickpocket); Info_AddChoice (Info_Mod_Knatus_Pickpocket, DIALOG_BACK, Info_Mod_Knatus_Pickpocket_BACK); Info_AddChoice (Info_Mod_Knatus_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Knatus_Pickpocket_DoIt); }; FUNC VOID Info_Mod_Knatus_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_Knatus_Pickpocket); }; FUNC VOID Info_Mod_Knatus_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_Knatus_Pickpocket); } else { Info_ClearChoices (Info_Mod_Knatus_Pickpocket); Info_AddChoice (Info_Mod_Knatus_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Knatus_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_Knatus_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Knatus_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_Knatus_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Knatus_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_Knatus_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Knatus_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_Knatus_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Knatus_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_Knatus_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_Knatus_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_Knatus_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_Knatus_EXIT (C_INFO) { npc = Mod_7564_OUT_Knatus_EIS; nr = 1; condition = Info_Mod_Knatus_EXIT_Condition; information = Info_Mod_Knatus_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Knatus_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Knatus_EXIT_Info() { AI_StopProcessInfos (self); };
D
/Users/ikodal/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/WeatherApp.build/Debug-iphonesimulator/WeatherApp.build/Objects-normal/x86_64/Config.o : /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+URL\ .swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/WeatherResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/ErrorResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/SceneDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/AppDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/Config.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIButton+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewModel.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/NetworkManager.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/AnimationViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+ActivityIndicator.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+Additions.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/Double+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/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/ikodal/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/WeatherApp.build/Debug-iphonesimulator/WeatherApp.build/Objects-normal/x86_64/Config~partial.swiftmodule : /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+URL\ .swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/WeatherResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/ErrorResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/SceneDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/AppDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/Config.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIButton+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewModel.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/NetworkManager.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/AnimationViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+ActivityIndicator.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+Additions.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/Double+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/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/ikodal/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/WeatherApp.build/Debug-iphonesimulator/WeatherApp.build/Objects-normal/x86_64/Config~partial.swiftdoc : /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+URL\ .swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/WeatherResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/ErrorResponse.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/SceneDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Supporting\ Files/AppDelegate.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/Config.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIButton+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIImageView+Styling.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewModel.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Network/NetworkManager.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/AnimationViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Cotrollers/WeatherViewController.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+ActivityIndicator.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/UIViewController+Additions.swift /Users/ikodal/Desktop/WeatherApp/WeatherApp/Commons/Extensions/Double+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/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
/Users/aligame/work/rust_repository/rutils/target/debug/deps/libtime-2cd6ef170cf13737.rlib: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/lib.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/display.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/duration.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/parse.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/sys.rs /Users/aligame/work/rust_repository/rutils/target/debug/deps/time-2cd6ef170cf13737.d: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/lib.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/display.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/duration.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/parse.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/sys.rs /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/lib.rs: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/display.rs: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/duration.rs: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/parse.rs: /Users/aligame/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/time-0.1.42/src/sys.rs:
D
existing or belonging to a time before a war
D
/home/uzair/iot_folder/chapter8/c8p2/target/rls/debug/deps/c8p2-9fbaea7e88a6ea35.rmeta: src/main.rs /home/uzair/iot_folder/chapter8/c8p2/target/rls/debug/deps/c8p2-9fbaea7e88a6ea35.d: src/main.rs src/main.rs:
D
import std.math; import gfm.math; import updatable; static const float PHI_MAX = PI_2 - 0.01; class Camera : Updatable { private{ mat4f m_proj; mat4f m_view; vec3f pos; float theta; float phi; vec3f dir; vec3f right; vec3f relup; vec3f target; float FOVY; float ratio; float near; float far; float near_height; float near_width; Frustum!float frustum; bool updateView; } @property mat4f projection() { return m_proj; } @property mat4f view() { return m_view; } @property vec3f direction() { return dir; } @property vec3f directionRight() { return right; } @property vec3f position() { return pos; } float getTheta(){return theta;} float getPhi(){return phi;} @property float x(){ return pos.x; } @property float y(){ return pos.y; } @property float z(){ return pos.z; } static const vec3f up = vec3f(0.0, 0.0, 1.0); this() { this.FOVY = PI / 3; this.ratio = 16.0/9.0; this.near = 1; this.far = 9999.0; calculateProjection(); this.pos = vec3f(-10.0, 0, 0); this.theta = 0.0; this.phi = 0.0; calculateTargetAndView(); } void preUpdate() { updateView = false; } void update(double dt_ms) { if(updateView) calculateTargetAndView(); } // update/set calculations private void calculateTargetAndView() { float sint = sin(theta); float cost = cos(theta); float cosp = cos(phi); float sinp = sin(phi); this.dir = vec3f(cost*cosp, sint*cosp, sinp); this.right = vec3f(sint, -cost, 0); this.relup = vec3f(-cost*sinp, -sint*sinp, cosp); this.target = this.pos + this.dir; calculateView(); } private void calculateView() { this.m_view = mat4f.lookAt(pos, target, up); calculateFrustum(); } private void calculateProjection() { this.m_proj = mat4f.perspective(this.FOVY, this.ratio, this.near, this.far); this.near_height = 2*near*tan(this.FOVY/2); this.near_width = this.near_height*this.ratio; calculateFrustum(); } private void calculateFrustum() { vec3f nc = pos + near*dir; vec3f fc = pos + far*dir; Planef nearPlane = Planef(nc, dir); Planef farPlane = Planef(fc, -dir); vec3f halfright = this.right*near_width*0.5; vec3f r = (nc + halfright) - pos; r.normalize(); vec3f normalRight = relup.cross(r); Planef rightPlane = Planef(pos, normalRight); vec3f l = (nc - halfright) - pos; l.normalize(); vec3f normalLeft = l.cross(relup); Planef leftPlane = Planef(pos, normalLeft); vec3f halfup = this.relup*near_height*0.5; vec3f u = (nc + halfup) - pos; u.normalize(); vec3f normalTop = u.cross(right); Planef topPlane = Planef(pos, normalTop); vec3f b = (nc - halfup) - pos; b.normalize(); vec3f normalBottom = right.cross(b); Planef bottomPlane = Planef(pos, normalBottom); // left, right, top, bottom, near, far frustum = Frustum!float(leftPlane, rightPlane, topPlane, bottomPlane, nearPlane, farPlane); } // SETTERS void setFovy(float fovy) { this.FOVY = fovy; calculateProjection(); } void setNearFar(float near, float far) { this.near = near; this.far = far; calculateProjection(); } void setRatio(float ratio) { this.ratio = ratio; calculateProjection(); } void translate(vec3f ds) { this.pos.xyz = this.pos.xyz + ds.xyz; updateView = true; } void setPosition(vec3f pos) { this.pos = pos; updateView = true; } void rotate(float dtheta, float dphi) { setRotation(this.theta + dtheta, this.phi + dphi); } void setRotation(float theta, float phi) { this.theta = theta; this.phi = phi; while(this.theta > 2*PI) this.theta -= 2*PI; while(this.theta < 0) this.theta += 2*PI; if(this.phi > PHI_MAX) this.phi = PHI_MAX; else if(this.phi < -PHI_MAX) this.phi = -PHI_MAX; updateView = true; } alias Planef = Plane!float; // this was made for skeletonscene vec3f[8] getFrustumCorners() { vec3f[8] output; vec3f nc = pos + near*dir; vec3f halfright = this.right*near_width*0.5; vec3f halfup = this.relup*near_height*0.5; output[0] = (nc - halfright - halfup); // near bottomleft output[1] = (nc - halfright + halfup); // near topleft output[2] = (nc + halfright - halfup); // near bottomright output[3] = (nc + halfright + halfup); // near topright vec3f fc = pos + far*dir; float fac = far/near; vec3f f_halfright = halfright*fac; vec3f f_halfup = halfup*fac; output[4] = (fc - f_halfright - f_halfup); // near bottomleft output[5] = (fc - f_halfright + f_halfup); // near topleft output[6] = (fc + f_halfright - f_halfup); // near bottomright output[7] = (fc + f_halfright + f_halfup); // near topright return output; } // this needs to be extracted into something else... bool frustumContains(vec3f[8] boxCorners) // pure const nothrow { int totalIn = 0; // test all 8 corners against the 6 sides // if all points are behind 1 specific plane, we are out // if we are in with all points, then we are fully in for(int p = 0; p < 6; ++p) { int inCount = 8; int ptIn = 1; for(int i = 0; i < 8; ++i) { // test this point against the planes if (frustum.planes[p].isBack(boxCorners[i])) { ptIn = 0; --inCount; } } // were all the points outside of plane p? if (inCount == 0) return false; // frustum.OUTSIDE; // check if they were all on the right side of the plane //totalIn += ptIn; } return true; // so if totalIn is 6, then all are inside the view /*if(totalIn == 6) return frustum.INSIDE; // we must be partly in then otherwise return frustum.INTERSECT;*/ } }
D
/Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/Objects-normal/x86_64/LiquittableCircle.o : /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/ArrayEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGPointEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGRectEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidFloatingActionButton.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidUtil.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquittableCircle.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/SimpleCircleLiquidEngine.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/UIColorEx.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Mrbochiballs1/Develop/Software/GHub/Pods/Target\ Support\ Files/LiquidFloatingActionButton/LiquidFloatingActionButton-umbrella.h /Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/Objects-normal/x86_64/LiquittableCircle~partial.swiftmodule : /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/ArrayEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGPointEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGRectEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidFloatingActionButton.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidUtil.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquittableCircle.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/SimpleCircleLiquidEngine.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/UIColorEx.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Mrbochiballs1/Develop/Software/GHub/Pods/Target\ Support\ Files/LiquidFloatingActionButton/LiquidFloatingActionButton-umbrella.h /Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/Objects-normal/x86_64/LiquittableCircle~partial.swiftdoc : /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/ArrayEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGPointEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/CGRectEx.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidFloatingActionButton.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquidUtil.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/LiquittableCircle.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/SimpleCircleLiquidEngine.swift /Users/Mrbochiballs1/Develop/Software/GHub/Pods/LiquidFloatingActionButton/Pod/Classes/UIColorEx.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Mrbochiballs1/Develop/Software/GHub/Pods/Target\ Support\ Files/LiquidFloatingActionButton/LiquidFloatingActionButton-umbrella.h /Users/Mrbochiballs1/Develop/Software/GHub/DerivedData/GHub/Build/Intermediates/Pods.build/Debug-iphonesimulator/LiquidFloatingActionButton.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
D
/Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Core.build/Objects-normal/x86_64/Future+Unwrap.o : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Base64URL.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NestedData.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Thread+Async.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NotFound.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/LosslessDataConvertible.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/File.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/MediaType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/OptionalType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Process+Execute.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/HeaderValue.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DirectoryConfig.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CaseInsensitiveString.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Future+Unwrap.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/FutureEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CoreError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/String+Utilities.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DataCoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Hex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Core.build/Objects-normal/x86_64/Future+Unwrap~partial.swiftmodule : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Base64URL.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NestedData.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Thread+Async.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NotFound.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/LosslessDataConvertible.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/File.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/MediaType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/OptionalType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Process+Execute.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/HeaderValue.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DirectoryConfig.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CaseInsensitiveString.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Future+Unwrap.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/FutureEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CoreError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/String+Utilities.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DataCoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Hex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Core.build/Objects-normal/x86_64/Future+Unwrap~partial.swiftdoc : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Base64URL.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NestedData.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Thread+Async.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/NotFound.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Reflectable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/LosslessDataConvertible.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/File.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/MediaType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/OptionalType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Process+Execute.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/HeaderValue.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DirectoryConfig.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CaseInsensitiveString.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Future+Unwrap.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/FutureEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CoreError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/String+Utilities.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/DataCoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/Data+Hex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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
// Written in the D programming language. /** This module contains list widgets implementation. Similar to lists implementation in Android UI API. Synopsis: ---- import dlangui.widgets.lists; ---- Copyright: Vadim Lopatin, 2014 License: Boost License 1.0 Authors: Vadim Lopatin, coolreader.org@gmail.com */ module dlangui.widgets.lists; import dlangui.widgets.widget; import dlangui.widgets.controls; import dlangui.widgets.layouts; import dlangui.core.signals; /** interface - slot for onAdapterChangeListener */ interface OnAdapterChangeHandler { void onAdapterChange(ListAdapter source); } /// list widget adapter provides items for list widgets interface ListAdapter { /// returns number of widgets in list @property int itemCount() const; /// return list item widget by item index Widget itemWidget(int index); /// return list item's state flags uint itemState(int index) const; /// set one or more list item's state flags, returns updated state uint setItemState(int index, uint flags); /// reset one or more list item's state flags, returns updated state uint resetItemState(int index, uint flags); /// returns integer item id by index (if supported) int itemId(int index) const; /// returns string item id by index (if supported) string itemStringId(int index) const; /// remove all items void clear(); /// connect adapter change handler ListAdapter connect(OnAdapterChangeHandler handler); /// disconnect adapter change handler ListAdapter disconnect(OnAdapterChangeHandler handler); /// called when theme is changed void onThemeChanged(); } /// List adapter for simple list of widget instances class ListAdapterBase : ListAdapter { /** Handle items change */ protected Signal!OnAdapterChangeHandler adapterChanged; /// connect adapter change handler override ListAdapter connect(OnAdapterChangeHandler handler) { adapterChanged.connect(handler); return this; } /// disconnect adapter change handler override ListAdapter disconnect(OnAdapterChangeHandler handler) { adapterChanged.disconnect(handler); return this; } /// returns integer item id by index (if supported) override int itemId(int index) const { return 0; } /// returns string item id by index (if supported) override string itemStringId(int index) const { return null; } /// returns number of widgets in list override @property int itemCount() const { // override it return 0; } /// return list item widget by item index override Widget itemWidget(int index) { // override it return null; } /// return list item's state flags override uint itemState(int index) const { // override it return State.Enabled; } /// set one or more list item's state flags, returns updated state override uint setItemState(int index, uint flags) { return 0; } /// reset one or more list item's state flags, returns updated state override uint resetItemState(int index, uint flags) { return 0; } /// remove all items override void clear() { } /// notify listeners about list items changes void updateViews() { if (adapterChanged.assigned) adapterChanged.emit(this); } /// called when theme is changed void onThemeChanged() { } } /// List adapter for simple list of widget instances class WidgetListAdapter : ListAdapterBase { private WidgetList _widgets; /// list of widgets to display @property ref const(WidgetList) widgets() { return _widgets; } /// returns number of widgets in list @property override int itemCount() const { return _widgets.count; } /// return list item widget by item index override Widget itemWidget(int index) { return _widgets.get(index); } /// return list item's state flags override uint itemState(int index) const { return _widgets.get(index).state; } /// set one or more list item's state flags, returns updated state override uint setItemState(int index, uint flags) { return _widgets.get(index).setState(flags).state; } /// reset one or more list item's state flags, returns updated state override uint resetItemState(int index, uint flags) { return _widgets.get(index).resetState(flags).state; } /// add item WidgetListAdapter add(Widget item, int index = -1) { _widgets.insert(item, index); updateViews(); return this; } /// remove item WidgetListAdapter remove(int index) { auto item = _widgets.remove(index); destroy(item); updateViews(); return this; } /// remove all items override void clear() { _widgets.clear(); updateViews(); } /// called when theme is changed override void onThemeChanged() { super.onThemeChanged(); foreach(w; _widgets) w.onThemeChanged(); } ~this() { //Log.d("Destroying WidgetListAdapter"); } } /** List adapter providing strings only. */ class StringListAdapterBase : ListAdapterBase { protected UIStringCollection _items; protected uint[] _states; protected int[] _intIds; protected string[] _stringIds; protected string[] _iconIds; protected int _lastItemIndex; /** create empty string list adapter. */ this() { _lastItemIndex = -1; } /** Init with array of string resource IDs. */ this(string[] items) { _items.addAll(items); _intIds.length = items.length; _stringIds.length = items.length; _iconIds.length = items.length; _lastItemIndex = -1; updateStatesLength(); } /** Init with array of unicode strings. */ this(dstring[] items) { _items.addAll(items); _intIds.length = items.length; _stringIds.length = items.length; _iconIds.length = items.length; _lastItemIndex = -1; updateStatesLength(); } /** Init with array of StringListValue. */ this(StringListValue[] items) { _intIds.length = items.length; _stringIds.length = items.length; _iconIds.length = items.length; for (int i = 0; i < items.length; i++) { _items.add(items[i].label); _intIds[i] = items[i].intId; _stringIds[i] = items[i].stringId; _iconIds[i] = items[i].iconId; } _lastItemIndex = -1; updateStatesLength(); } /// remove all items override void clear() { _items.clear(); updateStatesLength(); updateViews(); } /// remove item by index StringListAdapterBase remove(int index) { if (index < 0 || index >= _items.length) return this; for (int i = 0; i < _items.length - 1; i++) { _intIds[i] = _intIds[i + 1]; _stringIds[i] = _stringIds[i + 1]; _iconIds[i] = _iconIds[i + 1]; _states[i] = _states[i + 1]; } _items.remove(index); _intIds.length = items.length; _states.length = _items.length; _stringIds.length = items.length; _iconIds.length = items.length; updateViews(); return this; } /// add new item StringListAdapterBase add(UIString item, int index = -1) { if (index < 0 || index > _items.length) index = _items.length; _items.add(item, index); _intIds.length = items.length; _states.length = _items.length; _stringIds.length = items.length; _iconIds.length = items.length; for (int i = _items.length - 1; i > index; i--) { _intIds[i] = _intIds[i - 1]; _stringIds[i] = _stringIds[i - 1]; _iconIds[i] = _iconIds[i - 1]; _states[i] = _states[i - 1]; } _intIds[index] = 0; _stringIds[index] = null; _iconIds[index] = null; _states[index] = State.Enabled; updateViews(); return this; } /// add new string resource item StringListAdapterBase add(string item, int index = -1) { return add(UIString(item), index); } /// add new raw dstring item StringListAdapterBase add(dstring item, int index = -1) { return add(UIString(item), index); } /** Access to items collection. */ @property ref const(UIStringCollection) items() { return _items; } /** Replace items collection. */ @property StringListAdapterBase items(dstring[] values) { _items = values; _intIds.length = items.length; _states.length = _items.length; _stringIds.length = items.length; _iconIds.length = items.length; for (int i = 0; i < _items.length; i++) { _intIds[i] = 0; _stringIds[i] = null; _iconIds[i] = null; _states[i] = State.Enabled; } updateViews(); return this; } /** Replace items collection. */ @property StringListAdapterBase items(UIString[] values) { _items = values; _intIds.length = items.length; _states.length = _items.length; _stringIds.length = items.length; _iconIds.length = items.length; for (int i = 0; i < _items.length; i++) { _intIds[i] = 0; _stringIds[i] = null; _iconIds[i] = null; _states[i] = State.Enabled; } updateViews(); return this; } /** Replace items collection. */ @property StringListAdapterBase items(StringListValue[] values) { _items = values; _intIds.length = items.length; _states.length = _items.length; _stringIds.length = items.length; _iconIds.length = items.length; for (int i = 0; i < _items.length; i++) { _intIds[i] = values[i].intId; _stringIds[i] = values[i].stringId; _iconIds[i] = values[i].iconId; _states[i] = State.Enabled; } updateViews(); return this; } /// returns number of widgets in list @property override int itemCount() const { return _items.length; } /// returns integer item id by index (if supported) override int itemId(int index) const { return index >= 0 && index < _intIds.length ? _intIds[index] : 0; } /// returns string item id by index (if supported) override string itemStringId(int index) const { return index >= 0 && index < _stringIds.length ? _stringIds[index] : null; } protected void updateStatesLength() { if (_states.length < _items.length) { int oldlen = cast(int)_states.length; _states.length = _items.length; for (int i = oldlen; i < _items.length; i++) _states[i] = State.Enabled; } if (_intIds.length < items.length) _intIds.length = items.length; if (_stringIds.length < items.length) _stringIds.length = items.length; if (_iconIds.length < items.length) _iconIds.length = items.length; } /// return list item's state flags override uint itemState(int index) const { if (index < 0 || index >= _items.length) return 0; return _states[index]; } /// set one or more list item's state flags, returns updated state override uint setItemState(int index, uint flags) { updateStatesLength(); _states[index] |= flags; return _states[index]; } /// reset one or more list item's state flags, returns updated state override uint resetItemState(int index, uint flags) { updateStatesLength(); _states[index] &= ~flags; return _states[index]; } ~this() { } } /** List adapter providing strings only. */ class StringListAdapter : StringListAdapterBase { protected TextWidget _widget; /** create empty string list adapter. */ this() { super(); } /** Init with array of string resource IDs. */ this(string[] items) { super(items); } /** Init with array of unicode strings. */ this(dstring[] items) { super(items); } /** Init with array of StringListValue. */ this(StringListValue[] items) { super(items); } /// return list item widget by item index override Widget itemWidget(int index) { updateStatesLength(); if (_widget is null) { _widget = new TextWidget("STRING_LIST_ITEM"); _widget.styleId = STYLE_LIST_ITEM; } else { if (index == _lastItemIndex) return _widget; } // update widget _widget.text = _items.get(index); _widget.state = _states[index]; _lastItemIndex = index; return _widget; } /// called when theme is changed override void onThemeChanged() { super.onThemeChanged(); if (_widget) _widget.onThemeChanged(); } /// set one or more list item's state flags, returns updated state override uint setItemState(int index, uint flags) { uint res = super.setItemState(index, flags); if (_widget !is null && _lastItemIndex == index) _widget.state = res; return res; } /// reset one or more list item's state flags, returns updated state override uint resetItemState(int index, uint flags) { uint res = super.resetItemState(index, flags); if (_widget !is null && _lastItemIndex == index) _widget.state = res; return res; } ~this() { if (_widget) destroy(_widget); } } /** List adapter providing strings with icons. */ class IconStringListAdapter : StringListAdapterBase { protected HorizontalLayout _widget; protected TextWidget _textWidget; protected ImageWidget _iconWidget; /** create empty string list adapter. */ this() { super(); } /** Init with array of StringListValue. */ this(StringListValue[] items) { super(items); } /// return list item widget by item index override Widget itemWidget(int index) { updateStatesLength(); if (_widget is null) { _widget = new HorizontalLayout("ICON_STRING_LIST_ITEM"); _widget.styleId = STYLE_LIST_ITEM; _textWidget = new TextWidget("label"); _iconWidget = new ImageWidget("icon"); _widget.addChild(_iconWidget); _widget.addChild(_textWidget); } else { if (index == _lastItemIndex) return _widget; } // update widget _textWidget.text = _items.get(index); _textWidget.state = _states[index]; if (_iconIds[index]) { _iconWidget.visibility = Visibility.Visible; _iconWidget.drawableId = _iconIds[index]; } else { _iconWidget.visibility = Visibility.Gone; } _lastItemIndex = index; return _widget; } /// called when theme is changed override void onThemeChanged() { super.onThemeChanged(); if (_widget) _widget.onThemeChanged(); } /// set one or more list item's state flags, returns updated state override uint setItemState(int index, uint flags) { uint res = super.setItemState(index, flags); if (_widget !is null && _lastItemIndex == index) { _widget.state = res; _textWidget.state = res; } return res; } /// reset one or more list item's state flags, returns updated state override uint resetItemState(int index, uint flags) { uint res = super.resetItemState(index, flags); if (_widget !is null && _lastItemIndex == index) { _widget.state = res; _textWidget.state = res; } return res; } ~this() { if (_widget) destroy(_widget); } } /** interface - slot for onItemSelectedListener */ interface OnItemSelectedHandler { bool onItemSelected(Widget source, int itemIndex); } /** interface - slot for onItemClickListener */ interface OnItemClickHandler { bool onItemClick(Widget source, int itemIndex); } /** List widget - shows content as hori*/ class ListWidget : WidgetGroup, OnScrollHandler, OnAdapterChangeHandler { /** Handle selection change. */ Signal!OnItemSelectedHandler itemSelected; /** Handle item click / activation (e.g. Space or Enter key press and mouse double click) */ Signal!OnItemClickHandler itemClick; protected Orientation _orientation = Orientation.Vertical; /// returns linear layout orientation (Vertical, Horizontal) @property Orientation orientation() { return _orientation; } /// sets linear layout orientation @property ListWidget orientation(Orientation value) { _orientation = value; _scrollbar.orientation = value; requestLayout(); return this; } protected Rect[] _itemRects; protected Point[] _itemSizes; protected bool _needScrollbar; protected Point _sbsz; // scrollbar size protected ScrollBar _scrollbar; protected int _lastMeasureWidth; protected int _lastMeasureHeight; /// first visible item index protected int _firstVisibleItem; /// scroll position - offset of scroll area protected int _scrollPosition; /// maximum scroll position protected int _maxScrollPosition; /// client area rectangle (counting padding, margins, and scrollbar) protected Rect _clientRc; /// total height of all items for Vertical orientation, or width for Horizontal protected int _totalSize; /// item with Hover state, -1 if no such item protected int _hoverItemIndex; /// item with Selected state, -1 if no such item protected int _selectedItemIndex; /// when true, mouse hover selects underlying item protected bool _selectOnHover; /// when true, mouse hover selects underlying item @property bool selectOnHover() { return _selectOnHover; } /// when true, mouse hover selects underlying item @property ListWidget selectOnHover(bool select) { _selectOnHover = select; return this; } /// if true, generate itemClicked on mouse down instead mouse up event protected bool _clickOnButtonDown; /// returns rectangle for item (not scrolled, first item starts at 0,0) Rect itemRectNoScroll(int index) { if (index < 0 || index >= _itemRects.length) return Rect.init; Rect res; res = _itemRects[index]; return res; } /// returns rectangle for item (scrolled) Rect itemRect(int index) { if (index < 0 || index >= _itemRects.length) return Rect.init; Rect res = itemRectNoScroll(index); if (_orientation == Orientation.Horizontal) { res.left -= _scrollPosition; res.right -= _scrollPosition; } else { res.top -= _scrollPosition; res.bottom -= _scrollPosition; } return res; } /// returns item index by 0-based offset from top/left of list content int itemByPosition(int pos) { return 0; } protected ListAdapter _adapter; /// when true, need to destroy adapter on list destroy protected bool _ownAdapter; /// get adapter @property ListAdapter adapter() { return _adapter; } /// set adapter @property ListWidget adapter(ListAdapter adapter) { if (_adapter is adapter) return this; // no changes if (_adapter) _adapter.disconnect(this); if (_adapter !is null && _ownAdapter) destroy(_adapter); _adapter = adapter; if (_adapter) _adapter.connect(this); _ownAdapter = false; onAdapterChange(_adapter); return this; } /// set adapter, which will be owned by list (destroy will be called for adapter on widget destroy) @property ListWidget ownAdapter(ListAdapter adapter) { if (_adapter is adapter) return this; // no changes if (_adapter) _adapter.disconnect(this); if (_adapter !is null && _ownAdapter) destroy(_adapter); _adapter = adapter; if (_adapter) _adapter.connect(this); _ownAdapter = true; onAdapterChange(_adapter); return this; } /// returns number of widgets in list @property int itemCount() { if (_adapter !is null) return _adapter.itemCount; return 0; } /// return list item widget by item index Widget itemWidget(int index) { if (_adapter !is null) return _adapter.itemWidget(index); return null; } /// returns true if item with corresponding index is enabled bool itemEnabled(int index) { if (_adapter !is null && index >= 0 && index < itemCount) return (_adapter.itemState(index) & State.Enabled) != 0; return false; } /// empty parameter list constructor - for usage by factory this() { this(null); } /// create with ID parameter this(string ID, Orientation orientation = Orientation.Vertical) { super(ID); _orientation = orientation; focusable = true; _hoverItemIndex = -1; _selectedItemIndex = -1; _scrollbar = new ScrollBar("listscroll", orientation); _scrollbar.visibility = Visibility.Gone; _scrollbar.scrollEvent = &onScrollEvent; addChild(_scrollbar); } protected void setHoverItem(int index) { if (_hoverItemIndex == index) return; if (_hoverItemIndex != -1) { _adapter.resetItemState(_hoverItemIndex, State.Hovered); invalidate(); } _hoverItemIndex = index; if (_hoverItemIndex != -1) { _adapter.setItemState(_hoverItemIndex, State.Hovered); invalidate(); } } /// item list is changed override void onAdapterChange(ListAdapter source) { requestLayout(); } /// override to handle change of selection protected void selectionChanged(int index, int previouslySelectedItem = -1) { if (itemSelected.assigned) itemSelected(this, index); } /// override to handle mouse up on item protected void itemClicked(int index) { if (itemClick.assigned) itemClick(this, index); } /// allow to override state for updating of items // currently used to treat main menu items with opened submenu as focused @property protected uint overrideStateForItem() { return state; } protected void updateSelectedItemFocus() { if (_selectedItemIndex != -1) { if ((_adapter.itemState(_selectedItemIndex) & State.Focused) != (overrideStateForItem & State.Focused)) { if (overrideStateForItem & State.Focused) _adapter.setItemState(_selectedItemIndex, State.Focused); else _adapter.resetItemState(_selectedItemIndex, State.Focused); invalidate(); } } } /// override to handle focus changes override protected void handleFocusChange(bool focused, bool receivedFocusFromKeyboard = false) { updateSelectedItemFocus(); } /// ensure selected item is visible (scroll if necessary) void makeSelectionVisible() { if (_selectedItemIndex < 0) return; // no selection if (needLayout) { _makeSelectionVisibleOnNextLayout = true; return; } makeItemVisible(_selectedItemIndex); } protected bool _makeSelectionVisibleOnNextLayout; /// ensure item is visible void makeItemVisible(int itemIndex) { if (itemIndex < 0 || itemIndex >= itemCount) return; // no selection Rect viewrc = Rect(0, 0, _clientRc.width, _clientRc.height); Rect scrolledrc = itemRect(itemIndex); if (scrolledrc.isInsideOf(viewrc)) // completely visible return; int delta = 0; if (_orientation == Orientation.Vertical) { if (scrolledrc.top < viewrc.top) delta = scrolledrc.top - viewrc.top; else if (scrolledrc.bottom > viewrc.bottom) delta = scrolledrc.bottom - viewrc.bottom; } else { if (scrolledrc.left < viewrc.left) delta = scrolledrc.left - viewrc.left; else if (scrolledrc.right > viewrc.right) delta = scrolledrc.right - viewrc.right; } int newPosition = _scrollPosition + delta; _scrollbar.position = newPosition; _scrollPosition = newPosition; invalidate(); } /// move selection bool moveSelection(int direction, bool wrapAround = true) { if (itemCount <= 0) return false; int maxAttempts = itemCount - 1; int index = _selectedItemIndex; for (int i = 0; i < maxAttempts; i++) { int newIndex = 0; if (index < 0) { // no previous selection if (direction > 0) newIndex = wrapAround ? 0 : itemCount - 1; else newIndex = wrapAround ? itemCount - 1 : 0; } else { // step newIndex = index + direction; } if (newIndex < 0) newIndex = wrapAround ? itemCount - 1 : 0; else if (newIndex >= itemCount) newIndex = wrapAround ? 0 : itemCount - 1; if (newIndex != index) { if (selectItem(newIndex)) { selectionChanged(_selectedItemIndex, index); return true; } index = newIndex; } } return true; } bool selectItem(int index, int disabledItemsSkipDirection) { debug Log.d("selectItem ", index, " skipDirection=", disabledItemsSkipDirection); if (index == -1 || disabledItemsSkipDirection == 0) return selectItem(index); int maxAttempts = itemCount; for (int i = 0; i < maxAttempts; i++) { if (selectItem(index)) return true; index += disabledItemsSkipDirection > 0 ? 1 : -1; if (index < 0) index = itemCount - 1; if (index >= itemCount) index = 0; } return false; } /** Selected item index. */ @property int selectedItemIndex() { return _selectedItemIndex; } @property void selectedItemIndex(int index) { selectItem(index); } bool selectItem(int index) { debug Log.d("selectItem ", index); if (_selectedItemIndex == index) { updateSelectedItemFocus(); makeSelectionVisible(); return true; } if (index != -1 && !itemEnabled(index)) return false; if (_selectedItemIndex != -1) { _adapter.resetItemState(_selectedItemIndex, State.Selected | State.Focused); invalidate(); } _selectedItemIndex = index; if (_selectedItemIndex != -1) { makeSelectionVisible(); _adapter.setItemState(_selectedItemIndex, State.Selected | (overrideStateForItem & State.Focused)); invalidate(); } return true; } ~this() { if (_adapter) _adapter.disconnect(this); //Log.d("Destroying List ", _id); if (_adapter !is null && _ownAdapter) destroy(_adapter); _adapter = null; } /// handle scroll event override bool onScrollEvent(AbstractSlider source, ScrollEvent event) { int newPosition = _scrollPosition; if (event.action == ScrollAction.SliderMoved) { // scroll newPosition = event.position; } else { // use default handler for page/line up/down events newPosition = event.defaultUpdatePosition(); } if (_scrollPosition != newPosition) { _scrollPosition = newPosition; if (_scrollPosition > _maxScrollPosition) _scrollPosition = _maxScrollPosition; if (_scrollPosition < 0) _scrollPosition = 0; invalidate(); } return true; } /// handle theme change: e.g. reload some themed resources override void onThemeChanged() { super.onThemeChanged(); _scrollbar.onThemeChanged(); for (int i = 0; i < itemCount; i++) { Widget w = itemWidget(i); w.onThemeChanged(); } if (_adapter) _adapter.onThemeChanged(); } /// Measure widget according to desired width and height constraints. (Step 1 of two phase layout). override void measure(int parentWidth, int parentHeight) { if (visibility == Visibility.Gone) { _measuredWidth = _measuredHeight = 0; return; } if (_itemSizes.length < itemCount) _itemSizes.length = itemCount; Rect m = margins; Rect p = padding; // calc size constraints for children int pwidth = parentWidth; int pheight = parentHeight; if (parentWidth != SIZE_UNSPECIFIED) pwidth -= m.left + m.right + p.left + p.right; if (parentHeight != SIZE_UNSPECIFIED) pheight -= m.top + m.bottom + p.top + p.bottom; bool oldNeedLayout = _needLayout; Visibility oldScrollbarVisibility = _scrollbar.visibility; _scrollbar.visibility = Visibility.Visible; _scrollbar.measure(pwidth, pheight); _lastMeasureWidth = pwidth; _lastMeasureHeight = pheight; int sbsize = _orientation == Orientation.Vertical ? _scrollbar.measuredWidth : _scrollbar.measuredHeight; // measure children Point sz; _sbsz.destroy(); for (int i = 0; i < itemCount; i++) { Widget w = itemWidget(i); if (w is null || w.visibility == Visibility.Gone) { _itemSizes[i].x = _itemSizes[i].y = 0; continue; } w.measure(pwidth, pheight); _itemSizes[i].x = w.measuredWidth; _itemSizes[i].y = w.measuredHeight; if (_orientation == Orientation.Vertical) { // Vertical if (sz.x < w.measuredWidth) sz.x = w.measuredWidth; sz.y += w.measuredHeight; } else { // Horizontal w.measure(pwidth, pheight); if (sz.y < w.measuredHeight) sz.y = w.measuredHeight; sz.x += w.measuredWidth; } } _needScrollbar = false; if (_orientation == Orientation.Vertical) { if (pheight != SIZE_UNSPECIFIED && sz.y > pheight) { // need scrollbar if (pwidth != SIZE_UNSPECIFIED) { pwidth -= sbsize; _sbsz.x = sbsize; _needScrollbar = true; } } } else { if (pwidth != SIZE_UNSPECIFIED && sz.x > pwidth) { // need scrollbar if (pheight != SIZE_UNSPECIFIED) { pheight -= sbsize; _sbsz.y = sbsize; _needScrollbar = true; } } } if (_needScrollbar) { // recalculate with scrollbar sz.x = sz.y = 0; for (int i = 0; i < itemCount; i++) { Widget w = itemWidget(i); if (w is null || w.visibility == Visibility.Gone) continue; w.measure(pwidth, pheight); _itemSizes[i].x = w.measuredWidth; _itemSizes[i].y = w.measuredHeight; if (_orientation == Orientation.Vertical) { // Vertical if (sz.x < w.measuredWidth) sz.x = w.measuredWidth; sz.y += w.measuredHeight; } else { // Horizontal w.measure(pwidth, pheight); if (sz.y < w.measuredHeight) sz.y = w.measuredHeight; sz.x += w.measuredWidth; } } } measuredContent(parentWidth, parentHeight, sz.x + _sbsz.x, sz.y + _sbsz.y); if (_scrollbar.visibility == oldScrollbarVisibility) { _needLayout = oldNeedLayout; _scrollbar.cancelLayout(); } } protected void updateItemPositions() { Rect r; int p = 0; for (int i = 0; i < itemCount; i++) { if (_itemSizes[i].x == 0 && _itemSizes[i].y == 0) continue; if (_orientation == Orientation.Vertical) { // Vertical int w = _clientRc.width; int h = _itemSizes[i].y; r.top = p; r.bottom = p + h; r.left = 0; r.right = w; _itemRects[i] = r; p += h; } else { // Horizontal int h = _clientRc.height; int w = _itemSizes[i].x; r.top = 0; r.bottom = h; r.left = p; r.right = p + w; _itemRects[i] = r; p += w; } } _totalSize = p; if (_needScrollbar) { if (_orientation == Orientation.Vertical) { _scrollbar.setRange(0, p); _scrollbar.pageSize = _clientRc.height; _scrollbar.position = _scrollPosition; } else { _scrollbar.setRange(0, p); _scrollbar.pageSize = _clientRc.width; _scrollbar.position = _scrollPosition; } } /// maximum scroll position if (_orientation == Orientation.Vertical) { _maxScrollPosition = _totalSize - _clientRc.height; if (_maxScrollPosition < 0) _maxScrollPosition = 0; } else { _maxScrollPosition = _totalSize - _clientRc.width; if (_maxScrollPosition < 0) _maxScrollPosition = 0; } if (_scrollPosition > _maxScrollPosition) _scrollPosition = _maxScrollPosition; if (_scrollPosition < 0) _scrollPosition = 0; if (_needScrollbar) { if (_orientation == Orientation.Vertical) { // FIXME: _scrollbar.position = _scrollPosition; } else { _scrollbar.position = _scrollPosition; } } } /// Set widget rectangle to specified value and layout widget contents. (Step 2 of two phase layout). override void layout(Rect rc) { _needLayout = false; if (visibility == Visibility.Gone) { return; } _pos = rc; Rect parentrc = rc; applyMargins(rc); applyPadding(rc); if (_itemRects.length < itemCount) _itemRects.length = itemCount; // measure again if client size has been changed if (_lastMeasureWidth != rc.width || _lastMeasureHeight != rc.height) measure(parentrc.width, parentrc.height); // layout scrollbar if (_needScrollbar) { _scrollbar.visibility = Visibility.Visible; Rect sbrect = rc; if (_orientation == Orientation.Vertical) sbrect.left = sbrect.right - _sbsz.x; else sbrect.top = sbrect.bottom - _sbsz.y; _scrollbar.layout(sbrect); rc.right -= _sbsz.x; rc.bottom -= _sbsz.y; } else { _scrollbar.visibility = Visibility.Gone; } _clientRc = rc; // calc item rectangles updateItemPositions(); if (_makeSelectionVisibleOnNextLayout) { makeSelectionVisible(); _makeSelectionVisibleOnNextLayout = false; } _needLayout = false; _scrollbar.cancelLayout(); } /// Draw widget at its position to buffer override void onDraw(DrawBuf buf) { if (visibility != Visibility.Visible) return; super.onDraw(buf); Rect rc = _pos; applyMargins(rc); applyPadding(rc); auto saver = ClipRectSaver(buf, rc, alpha); // draw scrollbar if (_needScrollbar) _scrollbar.onDraw(buf); Point scrollOffset; if (_orientation == Orientation.Vertical) { scrollOffset.y = _scrollPosition; } else { scrollOffset.x = _scrollPosition; } // draw items for (int i = 0; i < itemCount; i++) { Rect itemrc = _itemRects[i]; itemrc.left += rc.left - scrollOffset.x; itemrc.right += rc.left - scrollOffset.x; itemrc.top += rc.top - scrollOffset.y; itemrc.bottom += rc.top - scrollOffset.y; if (itemrc.intersects(rc)) { Widget w = itemWidget(i); if (w is null || w.visibility != Visibility.Visible) continue; w.measure(itemrc.width, itemrc.height); w.layout(itemrc); w.onDraw(buf); } } } /// list navigation using keys override bool onKeyEvent(KeyEvent event) { if (itemCount == 0) return false; int navigationDelta = 0; if (event.action == KeyAction.KeyDown) { if (orientation == Orientation.Vertical) { if (event.keyCode == KeyCode.DOWN) navigationDelta = 1; else if (event.keyCode == KeyCode.UP) navigationDelta = -1; } else { if (event.keyCode == KeyCode.RIGHT) navigationDelta = 1; else if (event.keyCode == KeyCode.LEFT) navigationDelta = -1; } } if (navigationDelta != 0) { moveSelection(navigationDelta); return true; } if (event.action == KeyAction.KeyDown) { if (event.keyCode == KeyCode.HOME) { // select first enabled item on HOME key selectItem(0, 1); return true; } else if (event.keyCode == KeyCode.END) { // select last enabled item on END key selectItem(itemCount - 1, -1); return true; } else if (event.keyCode == KeyCode.PAGEDOWN) { // TODO } else if (event.keyCode == KeyCode.PAGEUP) { // TODO } } if ((event.keyCode == KeyCode.SPACE || event.keyCode == KeyCode.RETURN)) { if (event.action == KeyAction.KeyDown && enabled) { if (itemEnabled(_selectedItemIndex)) { itemClicked(_selectedItemIndex); } } return true; } return super.onKeyEvent(event); //if (_selectedItemIndex != -1 && event.action == KeyAction.KeyUp && (event.keyCode == KeyCode.SPACE || event.keyCode == KeyCode.RETURN)) { // itemClicked(_selectedItemIndex); // return true; //} //if (navigationDelta != 0) { // int p = _selectedItemIndex; // if (p < 0) { // if (navigationDelta < 0) // p = itemCount - 1; // else // p = 0; // } else { // p += navigationDelta; // if (p < 0) // p = itemCount - 1; // else if (p >= itemCount) // p = 0; // } // setHoverItem(-1); // selectItem(p); // return true; //} //return false; } /// process mouse event; return true if event is processed by widget. override bool onMouseEvent(MouseEvent event) { //Log.d("onMouseEvent ", id, " ", event.action, " (", event.x, ",", event.y, ")"); if (event.action == MouseAction.Leave || event.action == MouseAction.Cancel) { setHoverItem(-1); return true; } // delegate processing of mouse wheel to scrollbar widget if (event.action == MouseAction.Wheel && _needScrollbar) { return _scrollbar.onMouseEvent(event); } // support onClick Rect rc = _pos; applyMargins(rc); applyPadding(rc); Point scrollOffset; if (_orientation == Orientation.Vertical) { scrollOffset.y = _scrollPosition; } else { scrollOffset.x = _scrollPosition; } if (event.action == MouseAction.Wheel) { if (_scrollbar) _scrollbar.sendScrollEvent(event.wheelDelta > 0 ? ScrollAction.LineUp : ScrollAction.LineDown); return true; } if (event.action == MouseAction.ButtonDown && (event.flags & (MouseFlag.LButton || MouseFlag.RButton))) setFocus(); if (itemCount > _itemRects.length) return true; // layout not yet called for (int i = 0; i < itemCount; i++) { Rect itemrc = _itemRects[i]; itemrc.left += rc.left - scrollOffset.x; itemrc.right += rc.left - scrollOffset.x; itemrc.top += rc.top - scrollOffset.y; itemrc.bottom += rc.top - scrollOffset.y; if (itemrc.isPointInside(Point(event.x, event.y))) { //Log.d("mouse event action=", event.action, " button=", event.button, " flags=", event.flags); if ((event.flags & (MouseFlag.LButton || MouseFlag.RButton)) || _selectOnHover) { if (_selectedItemIndex != i && itemEnabled(i)) { int prevSelection = _selectedItemIndex; selectItem(i); setHoverItem(-1); selectionChanged(_selectedItemIndex, prevSelection); } } else { if (itemEnabled(i)) setHoverItem(i); } if (event.button == MouseButton.Left || event.button == MouseButton.Right) { if ((_clickOnButtonDown && event.action == MouseAction.ButtonDown) || (!_clickOnButtonDown && event.action == MouseAction.ButtonUp)) { if (itemEnabled(i)) { itemClicked(i); if (_clickOnButtonDown) event.doNotTrackButtonDown = true; } } } return true; } } return true; } } class StringListWidget : ListWidget { this(string ID = null) { super(ID); styleId = STYLE_EDIT_BOX; } this(string ID, string[] items) { super(ID); styleId = STYLE_EDIT_BOX; ownAdapter = new StringListAdapter(items); } this(string ID, dstring[] items) { super(ID); styleId = STYLE_EDIT_BOX; ownAdapter = new StringListAdapter(items); } this(string ID, StringListValue[] items) { super(ID); styleId = STYLE_EDIT_BOX; ownAdapter = new StringListAdapter(items); } @property void items(string[] itemResourceIds) { _selectedItemIndex = -1; ownAdapter = new StringListAdapter(itemResourceIds); if(itemResourceIds.length > 0) { selectedItemIndex = 0; } requestLayout(); } @property void items(dstring[] items) { _selectedItemIndex = -1; ownAdapter = new StringListAdapter(items); if(items.length > 0) { selectedItemIndex = 0; } requestLayout(); } @property void items(StringListValue[] items) { _selectedItemIndex = -1; ownAdapter = new StringListAdapter(items); if(items.length > 0) { selectedItemIndex = 0; } requestLayout(); } /// StringListValue list values override bool setStringListValueListProperty(string propName, StringListValue[] values) { if (propName == "items") { items = values; return true; } return false; } /// get selected item as text @property dstring selectedItem() { if (_selectedItemIndex < 0 || _selectedItemIndex >= _adapter.itemCount) return ""; return (cast(StringListAdapter)adapter).items.get(_selectedItemIndex); } } //import dlangui.widgets.metadata; //mixin(registerWidgets!(ListWidget, StringListWidget)());
D
resembling a tree in form and branching structure
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric; alias B = Tuple!(int, "in_cnt", int, "out_cnt"); void main() { auto N = readln.chomp.to!int; B[] as, bs; foreach (_; 0..N) { bool fst; int cnt, min_cnt; foreach (c; readln.chomp) { if (c == ')') { --cnt; } else { ++cnt; } min_cnt = min(min_cnt, cnt); } if (cnt > 0) { as ~= B(min_cnt, cnt - min_cnt); } else { bs ~= B(min_cnt, cnt - min_cnt); } } sort!"a.in_cnt == b.in_cnt ? a.out_cnt > b.out_cnt : a.in_cnt > b.in_cnt"(as); sort!"a.out_cnt == b.out_cnt ? a.in_cnt > b.in_cnt : a.out_cnt > b.out_cnt"(bs); int x; foreach (a; as) { if (x + a.in_cnt < 0) { writeln("No"); return; } x = x + a.in_cnt + a.out_cnt; } foreach (b; bs) { if (x + b.in_cnt < 0) { writeln("No"); return; } x = x + b.in_cnt + b.out_cnt; } writeln(x == 0 ? "Yes" : "No"); }
D
// Written in the D programming language. /** This module defines the notion of a range. Ranges generalize the concept of arrays, lists, or anything that involves sequential access. This abstraction enables the same set of algorithms (see $(LINK2 std_algorithm.html, std.algorithm)) to be used with a vast variety of different concrete types. For example, a linear search algorithm such as $(LINK2 std_algorithm.html#find, std.algorithm.find) works not just for arrays, but for linked-lists, input files, incoming network data, etc. For more detailed information about the conceptual aspect of ranges and the motivation behind them, see Andrei Alexandrescu's article $(LINK2 http://www.informit.com/articles/printerfriendly.aspx?p=1407357&rll=1, $(I On Iteration)). This module defines several templates for testing whether a given object is a _range, and what kind of _range it is: $(BOOKTABLE , $(TR $(TD $(D $(LREF isInputRange))) $(TD Tests if something is an $(I input _range), defined to be something from which one can sequentially read data using the primitives $(D front), $(D popFront), and $(D empty). )) $(TR $(TD $(D $(LREF isOutputRange))) $(TD Tests if something is an $(I output _range), defined to be something to which one can sequentially write data using the $(D $(LREF put)) primitive. )) $(TR $(TD $(D $(LREF isForwardRange))) $(TD Tests if something is a $(I forward _range), defined to be an input _range with the additional capability that one can save one's current position with the $(D save) primitive, thus allowing one to iterate over the same _range multiple times. )) $(TR $(TD $(D $(LREF isBidirectionalRange))) $(TD Tests if something is a $(I bidirectional _range), that is, a forward _range that allows reverse traversal using the primitives $(D back) and $(D popBack). )) $(TR $(TD $(D $(LREF isRandomAccessRange))) $(TD Tests if something is a $(I random access _range), which is a bidirectional _range that also supports the array subscripting operation via the primitive $(D opIndex). )) ) A number of templates are provided that test for various _range capabilities: $(BOOKTABLE , $(TR $(TD $(D $(LREF hasMobileElements))) $(TD Tests if a given _range's elements can be moved around using the primitives $(D moveFront), $(D moveBack), or $(D moveAt). )) $(TR $(TD $(D $(LREF ElementType))) $(TD Returns the element type of a given _range. )) $(TR $(TD $(D $(LREF ElementEncodingType))) $(TD Returns the encoding element type of a given _range. )) $(TR $(TD $(D $(LREF hasSwappableElements))) $(TD Tests if a _range is a forward _range with swappable elements. )) $(TR $(TD $(D $(LREF hasAssignableElements))) $(TD Tests if a _range is a forward _range with mutable elements. )) $(TR $(TD $(D $(LREF hasLvalueElements))) $(TD Tests if a _range is a forward _range with elements that can be passed by reference and have their address taken. )) $(TR $(TD $(D $(LREF hasLength))) $(TD Tests if a given _range has the $(D length) attribute. )) $(TR $(TD $(D $(LREF isInfinite))) $(TD Tests if a given _range is an $(I infinite _range). )) $(TR $(TD $(D $(LREF hasSlicing))) $(TD Tests if a given _range supports the array slicing operation $(D R[x..y]). )) $(TR $(TD $(D $(LREF walkLength))) $(TD Computes the length of any _range in O(n) time. )) ) A rich set of _range creation and composition templates are provided that let you construct new ranges out of existing ranges: $(BOOKTABLE , $(TR $(TD $(D $(LREF retro))) $(TD Iterates a bidirectional _range backwards. )) $(TR $(TD $(D $(LREF stride))) $(TD Iterates a _range with stride $(I n). )) $(TR $(TD $(D $(LREF chain))) $(TD Concatenates several ranges into a single _range. )) $(TR $(TD $(D $(LREF roundRobin))) $(TD Given $(I n) ranges, creates a new _range that return the $(I n) first elements of each _range, in turn, then the second element of each _range, and so on, in a round-robin fashion. )) $(TR $(TD $(D $(LREF radial))) $(TD Given a random-access _range and a starting point, creates a _range that alternately returns the next left and next right element to the starting point. )) $(TR $(TD $(D $(LREF take))) $(TD Creates a sub-_range consisting of only up to the first $(I n) elements of the given _range. )) $(TR $(TD $(D $(LREF takeExactly))) $(TD Like $(D take), but assumes the given _range actually has $(I n) elements, and therefore also defines the $(D length) property. )) $(TR $(TD $(D $(LREF takeOne))) $(TD Creates a random-access _range consisting of exactly the first element of the given _range. )) $(TR $(TD $(D $(LREF takeNone))) $(TD Creates a random-access _range consisting of zero elements of the given _range. )) $(TR $(TD $(D $(LREF drop))) $(TD Creates the _range that results from discarding the first $(I n) elements from the given _range. )) $(TR $(TD $(D $(LREF dropExactly))) $(TD Creates the _range that results from discarding exactly $(I n) of the first elements from the given _range. )) $(TR $(TD $(D $(LREF dropOne))) $(TD Creates the _range that results from discarding the first elements from the given _range. )) $(TR $(TD $(D $(LREF repeat))) $(TD Creates a _range that consists of a single element repeated $(I n) times, or an infinite _range repeating that element indefinitely. )) $(TR $(TD $(D $(LREF cycle))) $(TD Creates an infinite _range that repeats the given forward _range indefinitely. Good for implementing circular buffers. )) $(TR $(TD $(D $(LREF zip))) $(TD Given $(I n) _ranges, creates a _range that successively returns a tuple of all the first elements, a tuple of all the second elements, etc. )) $(TR $(TD $(D $(LREF lockstep))) $(TD Iterates $(I n) _ranges in lockstep, for use in a $(D foreach) loop. Similar to $(D zip), except that $(D lockstep) is designed especially for $(D foreach) loops. )) $(TR $(TD $(D $(LREF recurrence))) $(TD Creates a forward _range whose values are defined by a mathematical recurrence relation. )) $(TR $(TD $(D $(LREF sequence))) $(TD Similar to $(D recurrence), except that a random-access _range is created. )) $(TR $(TD $(D $(LREF iota))) $(TD Creates a _range consisting of numbers between a starting point and ending point, spaced apart by a given interval. )) $(TR $(TD $(D $(LREF frontTransversal))) $(TD Creates a _range that iterates over the first elements of the given ranges. )) $(TR $(TD $(D $(LREF transversal))) $(TD Creates a _range that iterates over the $(I n)'th elements of the given random-access ranges. )) $(TR $(TD $(D $(LREF indexed))) $(TD Creates a _range that offers a view of a given _range as though its elements were reordered according to a given _range of indices. )) $(TR $(TD $(D $(LREF chunks))) $(TD Creates a _range that returns fixed-size chunks of the original _range. )) $(TR $(TD $(D $(LREF only))) $(TD Creates a _range that iterates over the given arguments. )) ) These _range-construction tools are implemented using templates; but sometimes an object-based interface for ranges is needed. For this purpose, this module provides a number of object and $(D interface) definitions that can be used to wrap around _range objects created by the above templates. $(BOOKTABLE , $(TR $(TD $(D $(LREF InputRange))) $(TD Wrapper for input ranges. )) $(TR $(TD $(D $(LREF InputAssignable))) $(TD Wrapper for input ranges with assignable elements. )) $(TR $(TD $(D $(LREF ForwardRange))) $(TD Wrapper for forward ranges. )) $(TR $(TD $(D $(LREF ForwardAssignable))) $(TD Wrapper for forward ranges with assignable elements. )) $(TR $(TD $(D $(LREF BidirectionalRange))) $(TD Wrapper for bidirectional ranges. )) $(TR $(TD $(D $(LREF BidirectionalAssignable))) $(TD Wrapper for bidirectional ranges with assignable elements. )) $(TR $(TD $(D $(LREF RandomAccessFinite))) $(TD Wrapper for finite random-access ranges. )) $(TR $(TD $(D $(LREF RandomAccessAssignable))) $(TD Wrapper for finite random-access ranges with assignable elements. )) $(TR $(TD $(D $(LREF RandomAccessInfinite))) $(TD Wrapper for infinite random-access ranges. )) $(TR $(TD $(D $(LREF OutputRange))) $(TD Wrapper for output ranges. )) $(TR $(TD $(D $(LREF OutputRangeObject))) $(TD Class that implements the $(D OutputRange) interface and wraps the $(D put) methods in virtual functions. )) $(TR $(TD $(D $(LREF InputRangeObject))) $(TD Class that implements the $(D InputRange) interface and wraps the input _range methods in virtual functions. )) $(TR $(TD $(D $(LREF RefRange))) $(TD Wrapper around a forward _range that gives it reference semantics. )) ) Ranges whose elements are sorted afford better efficiency with certain operations. For this, the $(D $(LREF assumeSorted)) function can be used to construct a $(D $(LREF SortedRange)) from a pre-sorted _range. The $(LINK2 std_algorithm.html#sort, $(D std.algorithm.sort)) function also conveniently returns a $(D SortedRange). $(D SortedRange) objects provide some additional _range operations that take advantage of the fact that the _range is sorted. Finally, this module also defines some convenience functions for manipulating ranges: $(BOOKTABLE , $(TR $(TD $(D $(LREF popFrontN))) $(TD Advances a given _range by up to $(I n) elements. )) $(TR $(TD $(D $(LREF popBackN))) $(TD Advances a given bidirectional _range from the right by up to $(I n) elements. )) $(TR $(TD $(D $(LREF popFrontExactly))) $(TD Advances a given _range by up exactly $(I n) elements. )) $(TR $(TD $(D $(LREF popBackExactly))) $(TD Advances a given bidirectional _range from the right by exactly $(I n) elements. )) $(TR $(TD $(D $(LREF moveFront))) $(TD Removes the front element of a _range. )) $(TR $(TD $(D $(LREF moveBack))) $(TD Removes the back element of a bidirectional _range. )) $(TR $(TD $(D $(LREF moveAt))) $(TD Removes the $(I i)'th element of a random-access _range. )) ) Source: $(PHOBOSSRC std/_range.d) Macros: WIKI = Phobos/StdRange Copyright: Copyright by authors 2008-. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB erdani.com, Andrei Alexandrescu), David Simcha, and Jonathan M Davis. Credit for some of the ideas in building this module goes to $(WEB fantascienza.net/leonardo/so/, Leonardo Maffi). */ module std.range; public import std.array; import core.bitop, core.exception; import std.algorithm, std.conv, std.exception, std.functional, std.traits, std.typecons, std.typetuple, std.string; // For testing only. This code is included in a string literal to be included // in whatever module it's needed in, so that each module that uses it can be // tested individually, without needing to link to std.range. enum dummyRanges = q{ // Used with the dummy ranges for testing higher order ranges. enum RangeType { Input, Forward, Bidirectional, Random } enum Length { Yes, No } enum ReturnBy { Reference, Value } // Range that's useful for testing other higher order ranges, // can be parametrized with attributes. It just dumbs down an array of // numbers 1..10. struct DummyRange(ReturnBy _r, Length _l, RangeType _rt) { // These enums are so that the template params are visible outside // this instantiation. enum r = _r; enum l = _l; enum rt = _rt; uint[] arr = [1U, 2U, 3U, 4U, 5U, 6U, 7U, 8U, 9U, 10U]; void reinit() { // Workaround for DMD bug 4378 arr = [1U, 2U, 3U, 4U, 5U, 6U, 7U, 8U, 9U, 10U]; } void popFront() { arr = arr[1..$]; } @property bool empty() const { return arr.length == 0; } static if(r == ReturnBy.Reference) { @property ref inout(uint) front() inout { return arr[0]; } @property void front(uint val) { arr[0] = val; } } else { @property uint front() const { return arr[0]; } } static if(rt >= RangeType.Forward) { @property typeof(this) save() { return this; } } static if(rt >= RangeType.Bidirectional) { void popBack() { arr = arr[0..$ - 1]; } static if(r == ReturnBy.Reference) { @property ref inout(uint) back() inout { return arr[$ - 1]; } @property void back(uint val) { arr[$ - 1] = val; } } else { @property uint back() const { return arr[$ - 1]; } } } static if(rt >= RangeType.Random) { static if(r == ReturnBy.Reference) { ref inout(uint) opIndex(size_t index) inout { return arr[index]; } void opIndexAssign(uint val, size_t index) { arr[index] = val; } } else { uint opIndex(size_t index) const { return arr[index]; } } typeof(this) opSlice(size_t lower, size_t upper) { auto ret = this; ret.arr = arr[lower..upper]; return ret; } } static if(l == Length.Yes) { @property size_t length() const { return arr.length; } alias length opDollar; } } enum dummyLength = 10; alias TypeTuple!( DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Forward), DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Bidirectional), DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Random), DummyRange!(ReturnBy.Reference, Length.No, RangeType.Forward), DummyRange!(ReturnBy.Reference, Length.No, RangeType.Bidirectional), DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Input), DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Forward), DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Bidirectional), DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Random), DummyRange!(ReturnBy.Value, Length.No, RangeType.Input), DummyRange!(ReturnBy.Value, Length.No, RangeType.Forward), DummyRange!(ReturnBy.Value, Length.No, RangeType.Bidirectional) ) AllDummyRanges; }; version(unittest) { import std.container, std.conv, std.math, std.stdio; mixin(dummyRanges); // Tests whether forward, bidirectional and random access properties are // propagated properly from the base range(s) R to the higher order range // H. Useful in combination with DummyRange for testing several higher // order ranges. template propagatesRangeType(H, R...) { static if(allSatisfy!(isRandomAccessRange, R)) { enum bool propagatesRangeType = isRandomAccessRange!H; } else static if(allSatisfy!(isBidirectionalRange, R)) { enum bool propagatesRangeType = isBidirectionalRange!H; } else static if(allSatisfy!(isForwardRange, R)) { enum bool propagatesRangeType = isForwardRange!H; } else { enum bool propagatesRangeType = isInputRange!H; } } template propagatesLength(H, R...) { static if(allSatisfy!(hasLength, R)) { enum bool propagatesLength = hasLength!H; } else { enum bool propagatesLength = !hasLength!H; } } } /** Returns $(D true) if $(D R) is an input range. An input range must define the primitives $(D empty), $(D popFront), and $(D front). The following code should compile for any input range. ---- R r; // can define a range object if (r.empty) {} // can test for empty r.popFront(); // can invoke popFront() auto h = r.front; // can get the front of the range of non-void type ---- The semantics of an input range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.empty) returns $(D false) iff there is more data available in the range.) $(LI $(D r.front) returns the current element in the range. It may return by value or by reference. Calling $(D r.front) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).) $(LI $(D r.popFront) advances to the next element in the range. Calling $(D r.popFront) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).)) */ template isInputRange(R) { enum bool isInputRange = is(typeof( (inout int = 0) { R r = void; // can define a range object if (r.empty) {} // can test for empty r.popFront(); // can invoke popFront() auto h = r.front; // can get the front of the range })); } unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } static assert(!isInputRange!(A)); static assert( isInputRange!(B)); static assert( isInputRange!(int[])); static assert( isInputRange!(char[])); static assert(!isInputRange!(char[4])); static assert( isInputRange!(inout(int)[])); // bug 7824 } /+ puts the whole raw element $(D t) into $(D r). doPut will not attempt to iterate, slice or transcode $(D t) in any way shape or form. It will $(B only) call the correct primitive ($(D r.put(t)), $(D r.front = t) or $(D r(0)) once. This can be important when $(D t) needs to be placed in $(D r) unchanged. Furthermore, it can be useful when working with $(D InputRange)s, as doPut guarantees that no more than a single element will be placed. +/ package void doPut(R, E)(ref R r, auto ref E e) { static if(is(PointerTarget!R == struct)) enum usingPut = hasMember!(PointerTarget!R, "put"); else enum usingPut = hasMember!(R, "put"); static if (usingPut) { static assert(is(typeof(r.put(e))), format("Cannot nativaly put a %s into a %s.", E.stringof, R.stringof)); r.put(e); } else static if (isInputRange!R) { static assert(is(typeof(r.front = e)), format("Cannot nativaly put a %s into a %s.", E.stringof, R.stringof)); r.front = e; r.popFront(); } else { static assert(is(typeof(r(e))), format("Cannot nativaly put a %s into a %s.", E.stringof, R.stringof)); r(e); } } unittest { static assert (!isNativeOutputRange!(int, int)); static assert ( isNativeOutputRange!(int[], int)); static assert (!isNativeOutputRange!(int[][], int)); static assert (!isNativeOutputRange!(int, int[])); static assert (!isNativeOutputRange!(int[], int[])); static assert ( isNativeOutputRange!(int[][], int[])); static assert (!isNativeOutputRange!(int, int[][])); static assert (!isNativeOutputRange!(int[], int[][])); static assert (!isNativeOutputRange!(int[][], int[][])); static assert (!isNativeOutputRange!(int[4], int)); static assert ( isNativeOutputRange!(int[4][], int)); //Scary! static assert ( isNativeOutputRange!(int[4][], int[4])); static assert (!isNativeOutputRange!( char[], char)); static assert (!isNativeOutputRange!( char[], dchar)); static assert ( isNativeOutputRange!(dchar[], char)); static assert ( isNativeOutputRange!(dchar[], dchar)); } /++ Outputs $(D e) to $(D r). The exact effect is dependent upon the two types. Several cases are accepted, as described below. The code snippets are attempted in order, and the first to compile "wins" and gets evaluated. In this table "doPut" is a method that places $(D e) into $(D r), using the correct primitive: $(D r.put(e)) if $(D R) defines $(D put), $(D r.front = e) if $(D r) is an input range (followed by $(D r.popFront()), or $(D r(e)) otherwise. $(BOOKTABLE , $(TR $(TH Code Snippet) $(TH Scenario) ) $(TR $(TD $(D r.doPut(e);)) $(TD $(D R) specifically accepts an $(D E).) ) $(TR $(TD $(D r.doPut([ e ]);)) $(TD $(D R) specifically accepts an $(D E[]).) ) $(TR $(TD $(D r.putChar(e);)) $(TD $(D R) accepts some form of string or character. put will transcode the character $(D e) accordingly.) ) $(TR $(TD $(D for (; !e.empty; e.popFront()) put(r, e.front);)) $(TD Copying range $(D E) into $(D R).) ) ) Tip: $(D put) should $(I not) be used "UFCS-style", eg $(D r.put(e)). Doing this may call $(D R.put) directly, by-passing any transformation feature provided by $(D Range.put). $(D put(r, e)) is prefered. +/ void put(R, E)(ref R r, E e) { @property ref E[] EArrayInit(); //@@@9186@@@: Can't use (E[]).init //First level: simply straight up put. static if (is(typeof(doPut(r, e)))) { doPut(r, e); } //Optional optimization block for straight up array to array copy. else static if (isDynamicArray!R && !isNarrowString!R && isDynamicArray!E && is(typeof(r[] = e[]))) { immutable len = e.length; r[0 .. len] = e[]; r = r[len .. $]; } //Accepts E[] ? else static if (is(typeof(doPut(r, [e]))) && !isDynamicArray!R) { if (__ctfe) doPut(r, [e]); else doPut(r, (&e)[0..1]); } //special case for char to string. else static if (isSomeChar!E && is(typeof(putChar(r, e)))) { putChar(r, e); } //Extract each element from the range //We can use "put" here, so we can recursively test a RoR of E. else static if (isInputRange!E && is(typeof(put(r, e.front)))) { //Special optimization: If E is a narrow string, and r accepts characters no-wider than the string's //Then simply feed the characters 1 by 1. static if (isNarrowString!E && ( (is(E : const char[]) && is(typeof(doPut(r, char.max))) && !is(typeof(doPut(r, dchar.max))) && !is(typeof(doPut(r, wchar.max)))) || (is(E : const wchar[]) && is(typeof(doPut(r, wchar.max))) && !is(typeof(doPut(r, dchar.max)))) ) ) { foreach(c; e) doPut(r, c); } else { for (; !e.empty; e.popFront()) put(r, e.front); } } else static assert (false, format("Cannot put a %s into a %s.", E.stringof, R.stringof)); } //Helper function to handle chars as quickly and as elegantly as possible //Assumes r.put(e)/r(e) has already been tested private void putChar(R, E)(ref R r, E e) if (isSomeChar!E) { ////@@@9186@@@: Can't use (E[]).init ref const( char)[] cstringInit(); ref const(wchar)[] wstringInit(); ref const(dchar)[] dstringInit(); enum csCond = !isDynamicArray!R && is(typeof(doPut(r, cstringInit()))); enum wsCond = !isDynamicArray!R && is(typeof(doPut(r, wstringInit()))); enum dsCond = !isDynamicArray!R && is(typeof(doPut(r, dstringInit()))); //Use "max" to avoid static type demotion enum ccCond = is(typeof(doPut(r, char.max))); enum wcCond = is(typeof(doPut(r, wchar.max))); //enum dcCond = is(typeof(doPut(r, dchar.max))); //Fast transform a narrow char into a wider string static if ((wsCond && E.sizeof < wchar.sizeof) || (dsCond && E.sizeof < dchar.sizeof)) { enum w = wsCond && E.sizeof < wchar.sizeof; Select!(w, wchar, dchar) c = e; if (__ctfe) doPut(r, [c]); else doPut(r, (&c)[0..1]); } //Encode a wide char into a narrower string else static if (wsCond || csCond) { import std.utf; /+static+/ Select!(wsCond, wchar[2], char[4]) buf; //static prevents purity. doPut(r, buf.ptr[0 .. encode(buf, e)]); //the word ".ptr" added to enforce un-safety. } //Slowly encode a wide char into a series of narrower chars else static if (wcCond || ccCond) { import std.encoding; alias C = Select!(wcCond, wchar, char); encode!(C, R)(e, r); } else static assert (false, format("Cannot put a %s into a %s.", E.stringof, R.stringof)); } pure unittest { auto f = delegate (const(char)[]) {}; putChar(f, cast(dchar)'a'); } unittest { struct A {} static assert(!isInputRange!(A)); struct B { void put(int) {} } B b; put(b, 5); } unittest { int[] a = [1, 2, 3], b = [10, 20]; auto c = a; put(a, b); assert(c == [10, 20, 3]); assert(a == [3]); } unittest { int[] a = new int[10]; int b; static assert(isInputRange!(typeof(a))); put(a, b); } unittest { void myprint(in char[] s) { } auto r = &myprint; put(r, 'a'); } unittest { int[] a = new int[10]; static assert(!__traits(compiles, put(a, 1.0L))); static assert( __traits(compiles, put(a, 1))); /* * a[0] = 65; // OK * a[0] = 'A'; // OK * a[0] = "ABC"[0]; // OK * put(a, "ABC"); // OK */ static assert( __traits(compiles, put(a, "ABC"))); } unittest { char[] a = new char[10]; static assert(!__traits(compiles, put(a, 1.0L))); static assert(!__traits(compiles, put(a, 1))); // char[] is NOT output range. static assert(!__traits(compiles, put(a, 'a'))); static assert(!__traits(compiles, put(a, "ABC"))); } unittest { int[][] a; int[] b; int c; static assert( __traits(compiles, put(b, c))); static assert( __traits(compiles, put(a, b))); static assert(!__traits(compiles, put(a, c))); } unittest { int[][] a = new int[][](3); int[] b = [1]; auto aa = a; put(aa, b); assert(aa == [[], []]); assert(a == [[1], [], []]); int[][3] c = [2]; aa = a; put(aa, c[]); assert(aa.empty); assert(a == [[2], [2], [2]]); } unittest { // Test fix for bug 7476. struct LockingTextWriter { void put(dchar c){} } struct RetroResult { bool end = false; @property bool empty() const { return end; } @property dchar front(){ return 'a'; } void popFront(){ end = true; } } LockingTextWriter w; RetroResult r; put(w, r); } unittest { static struct PutC(C) { string result; void put(const(C) c) { result ~= to!string((&c)[0..1]); } } static struct PutS(C) { string result; void put(const(C)[] s) { result ~= to!string(s); } } static struct PutSS(C) { string result; void put(const(C)[][] ss) { foreach(s; ss) result ~= to!string(s); } } PutS!char p; putChar(p, cast(dchar)'a'); //Source Char foreach (SC; TypeTuple!(char, wchar, dchar)) { SC ch = 'I'; dchar dh = '♥'; immutable(SC)[] s = "日本語!"; immutable(SC)[][] ss = ["日本語", "が", "好き", "ですか", "?"]; //Target Char foreach (TC; TypeTuple!(char, wchar, dchar)) { //Testing PutC and PutS foreach (Type; TypeTuple!(PutC!TC, PutS!TC)) { Type type; auto sink = new Type(); //Testing put and sink foreach (value ; tuple(type, sink)) { put(value, ch); assert(value.result == "I"); put(value, dh); assert(value.result == "I♥"); put(value, s); assert(value.result == "I♥日本語!"); put(value, ss); assert(value.result == "I♥日本語!日本語が好きですか?"); } } } } } unittest { static struct CharRange { char c; enum empty = false; void popFront(){}; ref char front() @property { return c; } } CharRange c; put(c, cast(dchar)'H'); put(c, "hello"d); } unittest { // issue 9823 const(char)[] r; void delegate(const(char)[]) dg = (s) { r = s; }; put(dg, ["ABC"]); assert(r == "ABC"); } unittest { // issue 10571 import std.format; string buf; formattedWrite((in char[] s) { buf ~= s; }, "%s", "hello"); assert(buf == "hello"); } unittest { import std.format; struct PutC(C) { void put(C){} } struct PutS(C) { void put(const(C)[]){} } struct CallC(C) { void opCall(C){} } struct CallS(C) { void opCall(const(C)[]){} } struct FrontC(C) { enum empty = false; auto front()@property{return C.init;} void front(C)@property{} void popFront(){} } struct FrontS(C) { enum empty = false; auto front()@property{return C[].init;} void front(const(C)[])@property{} void popFront(){} } void foo() { foreach(C; TypeTuple!(char, wchar, dchar)) { formattedWrite((C c){}, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite((const(C)[]){}, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(PutC!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(PutS!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); CallC!C callC; CallS!C callS; formattedWrite(callC, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(callS, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(FrontC!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(FrontS!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); } formattedWrite((dchar[]).init, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); } } /+ Returns $(D true) if $(D R) is a native output range for elements of type $(D E). An output range is defined functionally as a range that supports the operation $(D doPut(r, e)) as defined above. if $(D doPut(r, e)) is valid, then $(D put(r,e)) will have the same behavior. The two guarantees isNativeOutputRange gives over the larger $(D isOutputRange) are: 1: $(D e) is $(B exactly) what will be placed (not $(D [e]), for example). 2: if $(D E) is a non $(empty) $(D InputRange), then placing $(D e) is guaranteed to not overflow the range. +/ package template isNativeOutputRange(R, E) { enum bool isNativeOutputRange = is(typeof( (inout int = 0) { R r = void; E e; doPut(r, e); })); } // unittest { int[] r = new int[](4); static assert(isInputRange!(int[])); static assert( isNativeOutputRange!(int[], int)); static assert(!isNativeOutputRange!(int[], int[])); static assert( isOutputRange!(int[], int[])); if (!r.empty) put(r, 1); //guaranteed to succeed if (!r.empty) put(r, [1, 2]); //May actually error out. } /++ Returns $(D true) if $(D R) is an output range for elements of type $(D E). An output range is defined functionally as a range that supports the operation $(D put(r, e)) as defined above. +/ template isOutputRange(R, E) { enum bool isOutputRange = is(typeof( (inout int = 0) { R r = void; E e = void; put(r, e); })); } unittest { void myprint(in char[] s) { writeln('[', s, ']'); } static assert(isOutputRange!(typeof(&myprint), char)); auto app = appender!string(); string s; static assert( isOutputRange!(Appender!string, string)); static assert( isOutputRange!(Appender!string*, string)); static assert(!isOutputRange!(Appender!string, int)); static assert(!isOutputRange!(char[], char)); static assert(!isOutputRange!(wchar[], wchar)); static assert( isOutputRange!(dchar[], char)); static assert( isOutputRange!(dchar[], wchar)); static assert( isOutputRange!(dchar[], dchar)); static assert( isOutputRange!(dchar[], string)); static assert( isOutputRange!(dchar[], wstring)); static assert( isOutputRange!(dchar[], dstring)); static assert(!isOutputRange!(const(int)[], int)); static assert(!isOutputRange!(inout(int)[], int)); } /** Returns $(D true) if $(D R) is a forward range. A forward range is an input range $(D r) that can save "checkpoints" by saving $(D r.save) to another value of type $(D R). Notable examples of input ranges that are $(I not) forward ranges are file/socket ranges; copying such a range will not save the position in the stream, and they most likely reuse an internal buffer as the entire stream does not sit in memory. Subsequently, advancing either the original or the copy will advance the stream, so the copies are not independent. The following code should compile for any forward range. ---- static assert(isInputRange!R); R r1; static assert (is(typeof(r1.save) == R)); ---- Saving a range is not duplicating it; in the example above, $(D r1) and $(D r2) still refer to the same underlying data. They just navigate that data independently. The semantics of a forward range (not checkable during compilation) are the same as for an input range, with the additional requirement that backtracking must be possible by saving a copy of the range object with $(D save) and using it later. */ template isForwardRange(R) { enum bool isForwardRange = isInputRange!R && is(typeof( (inout int = 0) { R r1 = void; static assert (is(typeof(r1.save) == R)); })); } unittest { static assert(!isForwardRange!(int)); static assert( isForwardRange!(int[])); static assert( isForwardRange!(inout(int)[])); } /** Returns $(D true) if $(D R) is a bidirectional range. A bidirectional range is a forward range that also offers the primitives $(D back) and $(D popBack). The following code should compile for any bidirectional range. ---- R r; static assert(isForwardRange!R); // is forward range r.popBack(); // can invoke popBack auto t = r.back; // can get the back of the range auto w = r.front; static assert(is(typeof(t) == typeof(w))); // same type for front and back ---- The semantics of a bidirectional range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.back) returns (possibly a reference to) the last element in the range. Calling $(D r.back) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).)) */ template isBidirectionalRange(R) { enum bool isBidirectionalRange = isForwardRange!R && is(typeof( (inout int = 0) { R r = void; r.popBack(); auto t = r.back; auto w = r.front; static assert(is(typeof(t) == typeof(w))); })); } unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } struct C { @property bool empty(); @property C save(); void popFront(); @property int front(); void popBack(); @property int back(); } static assert(!isBidirectionalRange!(A)); static assert(!isBidirectionalRange!(B)); static assert( isBidirectionalRange!(C)); static assert( isBidirectionalRange!(int[])); static assert( isBidirectionalRange!(char[])); static assert( isBidirectionalRange!(inout(int)[])); } /** Returns $(D true) if $(D R) is a random-access range. A random-access range is a bidirectional range that also offers the primitive $(D opIndex), OR an infinite forward range that offers $(D opIndex). In either case, the range must either offer $(D length) or be infinite. The following code should compile for any random-access range. ---- // range is finite and bidirectional or infinite and forward. static assert(isBidirectionalRange!R || isForwardRange!R && isInfinite!R); R r = void; auto e = r[1]; // can index static assert(is(typeof(e) == typeof(r.front))); // same type for indexed and front static assert(!isNarrowString!R); // narrow strings cannot be indexed as ranges static assert(hasLength!R || isInfinite!R); // must have length or be infinite // $ must work as it does with arrays if opIndex works with $ static if(is(typeof(r[$]))) { static assert(is(typeof(r.front) == typeof(r[$]))); // $ - 1 doesn't make sense with infinite ranges but needs to work // with finite ones. static if(!isInfinite!R) static assert(is(typeof(r.front) == typeof(r[$ - 1]))); } ---- The semantics of a random-access range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.opIndex(n)) returns a reference to the $(D n)th element in the range.)) Although $(D char[]) and $(D wchar[]) (as well as their qualified versions including $(D string) and $(D wstring)) are arrays, $(D isRandomAccessRange) yields $(D false) for them because they use variable-length encodings (UTF-8 and UTF-16 respectively). These types are bidirectional ranges only. */ template isRandomAccessRange(R) { enum bool isRandomAccessRange = is(typeof( (inout int = 0) { static assert(isBidirectionalRange!R || isForwardRange!R && isInfinite!R); R r = void; auto e = r[1]; static assert(is(typeof(e) == typeof(r.front))); static assert(!isNarrowString!R); static assert(hasLength!R || isInfinite!R); static if(is(typeof(r[$]))) { static assert(is(typeof(r.front) == typeof(r[$]))); static if(!isInfinite!R) static assert(is(typeof(r.front) == typeof(r[$ - 1]))); } })); } unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } struct C { void popFront(); @property bool empty(); @property int front(); void popBack(); @property int back(); } struct D { @property bool empty(); @property D save(); @property int front(); void popFront(); @property int back(); void popBack(); ref int opIndex(uint); @property size_t length(); alias length opDollar; //int opSlice(uint, uint); } static assert(!isRandomAccessRange!(A)); static assert(!isRandomAccessRange!(B)); static assert(!isRandomAccessRange!(C)); static assert( isRandomAccessRange!(D)); static assert( isRandomAccessRange!(int[])); static assert( isRandomAccessRange!(inout(int)[])); } unittest { // Test fix for bug 6935. struct R { @disable this(); @disable static @property R init(); @property bool empty() const { return false; } @property int front() const { return 0; } void popFront() {} @property R save() { return this; } @property int back() const { return 0; } void popBack(){} int opIndex(size_t n) const { return 0; } @property size_t length() const { return 0; } alias length opDollar; void put(int e){ } } static assert(isInputRange!R); static assert(isForwardRange!R); static assert(isBidirectionalRange!R); static assert(isRandomAccessRange!R); static assert(isOutputRange!(R, int)); } /** Returns $(D true) iff $(D R) supports the $(D moveFront) primitive, as well as $(D moveBack) and $(D moveAt) if it's a bidirectional or random access range. These may be explicitly implemented, or may work via the default behavior of the module level functions $(D moveFront) and friends. */ template hasMobileElements(R) { enum bool hasMobileElements = is(typeof( (inout int = 0) { R r = void; return moveFront(r); })) && (!isBidirectionalRange!R || is(typeof( (inout int = 0) { R r = void; return moveBack(r); }))) && (!isRandomAccessRange!R || is(typeof( (inout int = 0) { R r = void; return moveAt(r, 0); }))); } unittest { static struct HasPostblit { this(this) {} } auto nonMobile = map!"a"(repeat(HasPostblit.init)); static assert(!hasMobileElements!(typeof(nonMobile))); static assert( hasMobileElements!(int[])); static assert( hasMobileElements!(inout(int)[])); static assert( hasMobileElements!(typeof(iota(1000)))); } /** The element type of $(D R). $(D R) does not have to be a range. The element type is determined as the type yielded by $(D r.front) for an object $(D r) of type $(D R). For example, $(D ElementType!(T[])) is $(D T) if $(D T[]) isn't a narrow string; if it is, the element type is $(D dchar). If $(D R) doesn't have $(D front), $(D ElementType!R) is $(D void). */ template ElementType(R) { static if (is(typeof(R.init.front.init) T)) alias T ElementType; else alias void ElementType; } /// unittest { // Standard arrays: returns the type of the elements of the array static assert(is(ElementType!(byte[]) == byte)); static assert(is(ElementType!(int[]) == int)); // Accessing .front retrieves the decoded dchar static assert(is(ElementType!(char[]) == dchar)); // rvalue static assert(is(ElementType!(wchar[]) == dchar)); // rvalue static assert(is(ElementType!(dchar[]) == dchar)); // lvalue // Ditto static assert(is(ElementType!(string) == dchar)); static assert(is(ElementType!(wstring) == dchar)); static assert(is(ElementType!(dstring) == immutable(dchar))); // For ranges it gets the type of .front. auto range = iota(0, 10); static assert(is(ElementType!(typeof(range)) == int)); } unittest { enum XYZ : string { a = "foo" } auto x = XYZ.a.front; immutable char[3] a = "abc"; int[] i; void[] buf; static assert(is(ElementType!(XYZ) == dchar)); static assert(is(ElementType!(typeof(a)) == dchar)); static assert(is(ElementType!(typeof(i)) == int)); static assert(is(ElementType!(typeof(buf)) == void)); static assert(is(ElementType!(inout(int)[]) == inout(int))); static assert(is(ElementType!(inout(int[])) == inout(int))); } unittest { static assert(is(ElementType!(int[5]) == int)); static assert(is(ElementType!(int[0]) == int)); static assert(is(ElementType!(char[5]) == dchar)); static assert(is(ElementType!(char[0]) == dchar)); } unittest //11336 { static struct S { this(this) @disable; } static assert(is(ElementType!(S[]) == S)); } unittest // 11401 { // ElementType should also work for non-@propety 'front' struct E { ushort id; } struct R { E front() { return E.init; } } static assert(is(ElementType!R == E)); } /** The encoding element type of $(D R). For narrow strings ($(D char[]), $(D wchar[]) and their qualified variants including $(D string) and $(D wstring)), $(D ElementEncodingType) is the character type of the string. For all other types, $(D ElementEncodingType) is the same as $(D ElementType). */ template ElementEncodingType(R) { static if (isNarrowString!R) alias typeof(*lvalueOf!R.ptr) ElementEncodingType; else alias ElementType!R ElementEncodingType; } /// unittest { // internally the range stores the encoded type static assert(is(ElementEncodingType!(char[]) == char)); static assert(is(ElementEncodingType!(wchar[]) == wchar)); static assert(is(ElementEncodingType!(dchar[]) == dchar)); // ditto static assert(is(ElementEncodingType!(string) == immutable(char))); static assert(is(ElementEncodingType!(wstring) == immutable(wchar))); static assert(is(ElementEncodingType!(dstring) == immutable(dchar))); static assert(is(ElementEncodingType!(byte[]) == byte)); static assert(is(ElementEncodingType!(int[]) == int)); auto range = iota(0, 10); static assert(is(ElementEncodingType!(typeof(range)) == int)); } unittest { enum XYZ : string { a = "foo" } auto x = XYZ.a.front; immutable char[3] a = "abc"; int[] i; void[] buf; static assert(is(ElementType!(XYZ) : dchar)); static assert(is(ElementEncodingType!(char[]) == char)); static assert(is(ElementEncodingType!(string) == immutable char)); static assert(is(ElementType!(typeof(a)) : dchar)); static assert(is(ElementType!(typeof(i)) == int)); static assert(is(ElementEncodingType!(typeof(i)) == int)); static assert(is(ElementType!(typeof(buf)) : void)); static assert(is(ElementEncodingType!(inout char[]) : inout(char))); } unittest { static assert(is(ElementEncodingType!(int[5]) == int)); static assert(is(ElementEncodingType!(int[0]) == int)); static assert(is(ElementEncodingType!(char[5]) == char)); static assert(is(ElementEncodingType!(char[0]) == char)); } /** Returns $(D true) if $(D R) is a forward range and has swappable elements. The following code should compile for any range with swappable elements. ---- R r; static assert(isForwardRange!(R)); // range is forward swap(r.front, r.front); // can swap elements of the range ---- */ template hasSwappableElements(R) { enum bool hasSwappableElements = isForwardRange!R && is(typeof( (inout int = 0) { R r = void; swap(r.front, r.front); // can swap elements of the range })); } unittest { static assert(!hasSwappableElements!(const int[])); static assert(!hasSwappableElements!(const(int)[])); static assert(!hasSwappableElements!(inout(int)[])); static assert( hasSwappableElements!(int[])); //static assert( hasSwappableElements!(char[])); } /** Returns $(D true) if $(D R) is a forward range and has mutable elements. The following code should compile for any range with assignable elements. ---- R r; static assert(isForwardRange!R); // range is forward auto e = r.front; r.front = e; // can assign elements of the range ---- */ template hasAssignableElements(R) { enum bool hasAssignableElements = isForwardRange!R && is(typeof( (inout int = 0) { R r = void; static assert(isForwardRange!(R)); // range is forward auto e = r.front; r.front = e; // can assign elements of the range })); } unittest { static assert(!hasAssignableElements!(const int[])); static assert(!hasAssignableElements!(const(int)[])); static assert( hasAssignableElements!(int[])); static assert(!hasAssignableElements!(inout(int)[])); } /** Tests whether $(D R) has lvalue elements. These are defined as elements that can be passed by reference and have their address taken. */ template hasLvalueElements(R) { enum bool hasLvalueElements = is(typeof( (inout int = 0) { void checkRef(ref ElementType!R stuff) {} R r = void; static assert(is(typeof(checkRef(r.front)))); })); } unittest { static assert( hasLvalueElements!(int[])); static assert( hasLvalueElements!(const(int)[])); static assert( hasLvalueElements!(inout(int)[])); static assert( hasLvalueElements!(immutable(int)[])); static assert(!hasLvalueElements!(typeof(iota(3)))); auto c = chain([1, 2, 3], [4, 5, 6]); static assert( hasLvalueElements!(typeof(c))); // bugfix 6336 struct S { immutable int value; } static assert( isInputRange!(S[])); static assert( hasLvalueElements!(S[])); } /** Returns $(D true) if $(D R) has a $(D length) member that returns an integral type. $(D R) does not have to be a range. Note that $(D length) is an optional primitive as no range must implement it. Some ranges do not store their length explicitly, some cannot compute it without actually exhausting the range (e.g. socket streams), and some other ranges may be infinite. Although narrow string types ($(D char[]), $(D wchar[]), and their qualified derivatives) do define a $(D length) property, $(D hasLength) yields $(D false) for them. This is because a narrow string's length does not reflect the number of characters, but instead the number of encoding units, and as such is not useful with range-oriented algorithms. */ template hasLength(R) { enum bool hasLength = !isNarrowString!R && is(typeof( (inout int = 0) { R r = void; static assert(is(typeof(r.length) : ulong)); })); } unittest { static assert(!hasLength!(char[])); static assert( hasLength!(int[])); static assert( hasLength!(inout(int)[])); struct A { ulong length; } struct B { size_t length() { return 0; } } struct C { @property size_t length() { return 0; } } static assert( hasLength!(A)); static assert(!hasLength!(B)); static assert( hasLength!(C)); } /** Returns $(D true) if $(D R) is an infinite input range. An infinite input range is an input range that has a statically-defined enumerated member called $(D empty) that is always $(D false), for example: ---- struct MyInfiniteRange { enum bool empty = false; ... } ---- */ template isInfinite(R) { static if (isInputRange!R && __traits(compiles, { enum e = R.empty; })) enum bool isInfinite = !R.empty; else enum bool isInfinite = false; } unittest { static assert(!isInfinite!(int[])); static assert( isInfinite!(Repeat!(int))); } /** Returns $(D true) if $(D R) offers a slicing operator with integral boundaries that returns a forward range type. For finite ranges, the result of $(D opSlice) must be of the same type as the original range type. If the range defines $(D opDollar), then it must support subtraction. For infinite ranges, when $(I not) using $(D opDollar), the result of $(D opSlice) must be the result of $(LREF take) or $(LREF takeExactly) on the original range (they both return the same type for infinite ranges). However, when using $(D opDollar), the result of $(D opSlice) must be that of the original range type. The following code must compile for $(D hasSlicing) to be $(D true): ---- R r = void; static if(isInfinite!R) typeof(take(r, 1)) s = r[1 .. 2]; else { static assert(is(typeof(r[1 .. 2]) == R)); R s = r[1 .. 2]; } s = r[1 .. 2]; static if(is(typeof(r[0 .. $]))) { static assert(is(typeof(r[0 .. $]) == R)); R t = r[0 .. $]; t = r[0 .. $]; static if(!isInfinite!R) { static assert(is(typeof(r[0 .. $ - 1]) == R)); R u = r[0 .. $ - 1]; u = r[0 .. $ - 1]; } } static assert(isForwardRange!(typeof(r[1 .. 2]))); static assert(hasLength!(typeof(r[1 .. 2]))); ---- */ template hasSlicing(R) { enum bool hasSlicing = isForwardRange!R && !isNarrowString!R && is(typeof( (inout int = 0) { R r = void; static if(isInfinite!R) typeof(take(r, 1)) s = r[1 .. 2]; else { static assert(is(typeof(r[1 .. 2]) == R)); R s = r[1 .. 2]; } s = r[1 .. 2]; static if(is(typeof(r[0 .. $]))) { static assert(is(typeof(r[0 .. $]) == R)); R t = r[0 .. $]; t = r[0 .. $]; static if(!isInfinite!R) { static assert(is(typeof(r[0 .. $ - 1]) == R)); R u = r[0 .. $ - 1]; u = r[0 .. $ - 1]; } } static assert(isForwardRange!(typeof(r[1 .. 2]))); static assert(hasLength!(typeof(r[1 .. 2]))); })); } unittest { static assert( hasSlicing!(int[])); static assert( hasSlicing!(const(int)[])); static assert(!hasSlicing!(const int[])); static assert( hasSlicing!(inout(int)[])); static assert(!hasSlicing!(inout int [])); static assert( hasSlicing!(immutable(int)[])); static assert(!hasSlicing!(immutable int[])); static assert(!hasSlicing!string); static assert( hasSlicing!dstring); enum rangeFuncs = "@property int front();" ~ "void popFront();" ~ "@property bool empty();" ~ "@property auto save() { return this; }" ~ "@property size_t length();"; struct A { mixin(rangeFuncs); int opSlice(size_t, size_t); } struct B { mixin(rangeFuncs); B opSlice(size_t, size_t); } struct C { mixin(rangeFuncs); @disable this(); C opSlice(size_t, size_t); } struct D { mixin(rangeFuncs); int[] opSlice(size_t, size_t); } static assert(!hasSlicing!(A)); static assert( hasSlicing!(B)); static assert( hasSlicing!(C)); static assert(!hasSlicing!(D)); struct InfOnes { enum empty = false; void popFront() {} @property int front() { return 1; } @property InfOnes save() { return this; } auto opSlice(size_t i, size_t j) { return takeExactly(this, j - i); } auto opSlice(size_t i, Dollar d) { return this; } struct Dollar {} Dollar opDollar() const { return Dollar.init; } } static assert(hasSlicing!InfOnes); } /** This is a best-effort implementation of $(D length) for any kind of range. If $(D hasLength!Range), simply returns $(D range.length) without checking $(D upTo) (when specified). Otherwise, walks the range through its length and returns the number of elements seen. Performes $(BIGOH n) evaluations of $(D range.empty) and $(D range.popFront()), where $(D n) is the effective length of $(D range). The $(D upTo) parameter is useful to "cut the losses" in case the interest is in seeing whether the range has at least some number of elements. If the parameter $(D upTo) is specified, stops if $(D upTo) steps have been taken and returns $(D upTo). Infinite ranges are compatible, provided the parameter $(D upTo) is specified, in which case the implementation simply returns upTo. */ auto walkLength(Range)(Range range) if (isInputRange!Range && !isInfinite!Range) { static if (hasLength!Range) return range.length; else { size_t result; for ( ; !range.empty ; range.popFront() ) ++result; return result; } } /// ditto auto walkLength(Range)(Range range, const size_t upTo) if (isInputRange!Range) { static if (hasLength!Range) return range.length; else static if (isInfinite!Range) return upTo; else { size_t result; for ( ; result < upTo && !range.empty ; range.popFront() ) ++result; return result; } } unittest { //hasLength Range int[] a = [ 1, 2, 3 ]; assert(walkLength(a) == 3); assert(walkLength(a, 0) == 3); assert(walkLength(a, 2) == 3); assert(walkLength(a, 4) == 3); //Forward Range auto b = filter!"true"([1, 2, 3, 4]); assert(b.walkLength() == 4); assert(b.walkLength(0) == 0); assert(b.walkLength(2) == 2); assert(b.walkLength(4) == 4); assert(b.walkLength(6) == 4); //Infinite Range auto fibs = recurrence!"a[n-1] + a[n-2]"(1, 1); assert(!__traits(compiles, fibs.walkLength())); assert(fibs.take(10).walkLength() == 10); assert(fibs.walkLength(55) == 55); } /** Iterates a bidirectional range backwards. The original range can be accessed by using the $(D source) property. Applying retro twice to the same range yields the original range. Example: ---- int[] a = [ 1, 2, 3, 4, 5 ]; assert(equal(retro(a), [ 5, 4, 3, 2, 1 ][])); assert(retro(a).source is a); assert(retro(retro(a)) is a); ---- */ auto retro(Range)(Range r) if (isBidirectionalRange!(Unqual!Range)) { // Check for retro(retro(r)) and just return r in that case static if (is(typeof(retro(r.source)) == Range)) { return r.source; } else { static struct Result() { private alias Unqual!Range R; // User code can get and set source, too R source; static if (hasLength!R) { private alias CommonType!(size_t, typeof(source.length)) IndexType; IndexType retroIndex(IndexType n) { return source.length - n - 1; } } public: alias R Source; @property bool empty() { return source.empty; } @property auto save() { return Result(source.save); } @property auto ref front() { return source.back; } void popFront() { source.popBack(); } @property auto ref back() { return source.front; } void popBack() { source.popFront(); } static if(is(typeof(.moveBack(source)))) { ElementType!R moveFront() { return .moveBack(source); } } static if(is(typeof(.moveFront(source)))) { ElementType!R moveBack() { return .moveFront(source); } } static if (hasAssignableElements!R) { @property auto front(ElementType!R val) { source.back = val; } @property auto back(ElementType!R val) { source.front = val; } } static if (isRandomAccessRange!(R) && hasLength!(R)) { auto ref opIndex(IndexType n) { return source[retroIndex(n)]; } static if (hasAssignableElements!R) { void opIndexAssign(ElementType!R val, IndexType n) { source[retroIndex(n)] = val; } } static if (is(typeof(.moveAt(source, 0)))) { ElementType!R moveAt(IndexType index) { return .moveAt(source, retroIndex(index)); } } static if (hasSlicing!R) typeof(this) opSlice(IndexType a, IndexType b) { return typeof(this)(source[source.length - b .. source.length - a]); } } static if (hasLength!R) { @property auto length() { return source.length; } alias length opDollar; } } return Result!()(r); } } unittest { static assert(isBidirectionalRange!(typeof(retro("hello")))); int[] a; static assert(is(typeof(a) == typeof(retro(retro(a))))); assert(retro(retro(a)) is a); static assert(isRandomAccessRange!(typeof(retro([1, 2, 3])))); void test(int[] input, int[] witness) { auto r = retro(input); assert(r.front == witness.front); assert(r.back == witness.back); assert(equal(r, witness)); } test([ 1 ], [ 1 ]); test([ 1, 2 ], [ 2, 1 ]); test([ 1, 2, 3 ], [ 3, 2, 1 ]); test([ 1, 2, 3, 4 ], [ 4, 3, 2, 1 ]); test([ 1, 2, 3, 4, 5 ], [ 5, 4, 3, 2, 1 ]); test([ 1, 2, 3, 4, 5, 6 ], [ 6, 5, 4, 3, 2, 1 ]); // static assert(is(Retro!(immutable int[]))); immutable foo = [1,2,3].idup; retro(foo); foreach(DummyType; AllDummyRanges) { static if (!isBidirectionalRange!DummyType) { static assert(!__traits(compiles, Retro!DummyType)); } else { DummyType dummyRange; dummyRange.reinit(); auto myRetro = retro(dummyRange); static assert(propagatesRangeType!(typeof(myRetro), DummyType)); assert(myRetro.front == 10); assert(myRetro.back == 1); assert(myRetro.moveFront() == 10); assert(myRetro.moveBack() == 1); static if (isRandomAccessRange!DummyType && hasLength!DummyType) { assert(myRetro[0] == myRetro.front); assert(myRetro.moveAt(2) == 8); static if (DummyType.r == ReturnBy.Reference) { { myRetro[9]++; scope(exit) myRetro[9]--; assert(dummyRange[0] == 2); myRetro.front++; scope(exit) myRetro.front--; assert(myRetro.front == 11); myRetro.back++; scope(exit) myRetro.back--; assert(myRetro.back == 3); } { myRetro.front = 0xFF; scope(exit) myRetro.front = 10; assert(dummyRange.back == 0xFF); myRetro.back = 0xBB; scope(exit) myRetro.back = 1; assert(dummyRange.front == 0xBB); myRetro[1] = 11; scope(exit) myRetro[1] = 8; assert(dummyRange[8] == 11); } } } } } } unittest { auto LL = iota(1L, 4L); auto r = retro(LL); assert(equal(r, [3L, 2L, 1L])); } /** Iterates range $(D r) with stride $(D n). If the range is a random-access range, moves by indexing into the range; otherwise, moves by successive calls to $(D popFront). Applying stride twice to the same range results in a stride with a step that is the product of the two applications. Throws: $(D Exception) if $(D n == 0). Example: ---- int[] a = [ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11 ]; assert(equal(stride(a, 3), [ 1, 4, 7, 10 ][])); assert(stride(stride(a, 2), 3) == stride(a, 6)); ---- */ auto stride(Range)(Range r, size_t n) if (isInputRange!(Unqual!Range)) { enforce(n > 0, "Stride cannot have step zero."); static if (is(typeof(stride(r.source, n)) == Range)) { // stride(stride(r, n1), n2) is stride(r, n1 * n2) return stride(r.source, r._n * n); } else { static struct Result { private alias Unqual!Range R; public R source; private size_t _n; // Chop off the slack elements at the end static if (hasLength!R && (isRandomAccessRange!R && hasSlicing!R || isBidirectionalRange!R)) private void eliminateSlackElements() { auto slack = source.length % _n; if (slack) { slack--; } else if (!source.empty) { slack = min(_n, source.length) - 1; } else { slack = 0; } if (!slack) return; static if (isRandomAccessRange!R && hasSlicing!R) { source = source[0 .. source.length - slack]; } else static if (isBidirectionalRange!R) { foreach (i; 0 .. slack) { source.popBack(); } } } static if (isForwardRange!R) { @property auto save() { return Result(source.save, _n); } } static if (isInfinite!R) { enum bool empty = false; } else { @property bool empty() { return source.empty; } } @property auto ref front() { return source.front; } static if (is(typeof(.moveFront(source)))) { ElementType!R moveFront() { return .moveFront(source); } } static if (hasAssignableElements!R) { @property auto front(ElementType!R val) { source.front = val; } } void popFront() { static if (isRandomAccessRange!R && hasLength!R && hasSlicing!R) { source = source[min(_n, source.length) .. source.length]; } else { static if (hasLength!R) { foreach (i; 0 .. min(source.length, _n)) { source.popFront(); } } else { foreach (i; 0 .. _n) { source.popFront(); if (source.empty) break; } } } } static if (isBidirectionalRange!R && hasLength!R) { void popBack() { popBackN(source, _n); } @property auto ref back() { eliminateSlackElements(); return source.back; } static if (is(typeof(.moveBack(source)))) { ElementType!R moveBack() { eliminateSlackElements(); return .moveBack(source); } } static if (hasAssignableElements!R) { @property auto back(ElementType!R val) { eliminateSlackElements(); source.back = val; } } } static if (isRandomAccessRange!R && hasLength!R) { auto ref opIndex(size_t n) { return source[_n * n]; } /** Forwards to $(D moveAt(source, n)). */ static if (is(typeof(.moveAt(source, 0)))) { ElementType!R moveAt(size_t n) { return .moveAt(source, _n * n); } } static if (hasAssignableElements!R) { void opIndexAssign(ElementType!R val, size_t n) { source[_n * n] = val; } } } static if (hasSlicing!R && hasLength!R) typeof(this) opSlice(size_t lower, size_t upper) { assert(upper >= lower && upper <= length); immutable translatedUpper = (upper == 0) ? 0 : (upper * _n - (_n - 1)); immutable translatedLower = min(lower * _n, translatedUpper); assert(translatedLower <= translatedUpper); return typeof(this)(source[translatedLower..translatedUpper], _n); } static if (hasLength!R) { @property auto length() { return (source.length + _n - 1) / _n; } alias length opDollar; } } return Result(r, n); } } unittest { static assert(isRandomAccessRange!(typeof(stride([1, 2, 3], 2)))); void test(size_t n, int[] input, int[] witness) { assert(equal(stride(input, n), witness)); } test(1, [], []); int[] arr = [ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 ]; assert(stride(stride(arr, 2), 3) is stride(arr, 6)); test(1, arr, arr); test(2, arr, [1, 3, 5, 7, 9]); test(3, arr, [1, 4, 7, 10]); test(4, arr, [1, 5, 9]); // Test slicing. auto s1 = stride(arr, 1); assert(equal(s1[1..4], [2, 3, 4])); assert(s1[1..4].length == 3); assert(equal(s1[1..5], [2, 3, 4, 5])); assert(s1[1..5].length == 4); assert(s1[0..0].empty); assert(s1[3..3].empty); // assert(s1[$ .. $].empty); assert(s1[s1.opDollar .. s1.opDollar].empty); auto s2 = stride(arr, 2); assert(equal(s2[0..2], [1,3])); assert(s2[0..2].length == 2); assert(equal(s2[1..5], [3, 5, 7, 9])); assert(s2[1..5].length == 4); assert(s2[0..0].empty); assert(s2[3..3].empty); // assert(s2[$ .. $].empty); assert(s2[s2.opDollar .. s2.opDollar].empty); // Test fix for Bug 5035 auto m = [1, 2, 3, 4, 1, 2, 3, 4, 1, 2, 3, 4]; // 3 rows, 4 columns auto col = stride(m, 4); assert(equal(col, [1, 1, 1])); assert(equal(retro(col), [1, 1, 1])); immutable int[] immi = [ 1, 2, 3 ]; static assert(isRandomAccessRange!(typeof(stride(immi, 1)))); // Check for infiniteness propagation. static assert(isInfinite!(typeof(stride(repeat(1), 3)))); foreach(DummyType; AllDummyRanges) { DummyType dummyRange; dummyRange.reinit(); auto myStride = stride(dummyRange, 4); // Should fail if no length and bidirectional b/c there's no way // to know how much slack we have. static if (hasLength!DummyType || !isBidirectionalRange!DummyType) { static assert(propagatesRangeType!(typeof(myStride), DummyType)); } assert(myStride.front == 1); assert(myStride.moveFront() == 1); assert(equal(myStride, [1, 5, 9])); static if (hasLength!DummyType) { assert(myStride.length == 3); } static if (isBidirectionalRange!DummyType && hasLength!DummyType) { assert(myStride.back == 9); assert(myStride.moveBack() == 9); } static if (isRandomAccessRange!DummyType && hasLength!DummyType) { assert(myStride[0] == 1); assert(myStride[1] == 5); assert(myStride.moveAt(1) == 5); assert(myStride[2] == 9); static assert(hasSlicing!(typeof(myStride))); } static if (DummyType.r == ReturnBy.Reference) { // Make sure reference is propagated. { myStride.front++; scope(exit) myStride.front--; assert(dummyRange.front == 2); } { myStride.front = 4; scope(exit) myStride.front = 1; assert(dummyRange.front == 4); } static if (isBidirectionalRange!DummyType && hasLength!DummyType) { { myStride.back++; scope(exit) myStride.back--; assert(myStride.back == 10); } { myStride.back = 111; scope(exit) myStride.back = 9; assert(myStride.back == 111); } static if (isRandomAccessRange!DummyType) { { myStride[1]++; scope(exit) myStride[1]--; assert(dummyRange[4] == 6); } { myStride[1] = 55; scope(exit) myStride[1] = 5; assert(dummyRange[4] == 55); } } } } } } unittest { auto LL = iota(1L, 10L); auto s = stride(LL, 3); assert(equal(s, [1L, 4L, 7L])); } /** Spans multiple ranges in sequence. The function $(D chain) takes any number of ranges and returns a $(D Chain!(R1, R2,...)) object. The ranges may be different, but they must have the same element type. The result is a range that offers the $(D front), $(D popFront), and $(D empty) primitives. If all input ranges offer random access and $(D length), $(D Chain) offers them as well. If only one range is offered to $(D Chain) or $(D chain), the $(D Chain) type exits the picture by aliasing itself directly to that range's type. Example: ---- int[] arr1 = [ 1, 2, 3, 4 ]; int[] arr2 = [ 5, 6 ]; int[] arr3 = [ 7 ]; auto s = chain(arr1, arr2, arr3); assert(s.length == 7); assert(s[5] == 6); assert(equal(s, [1, 2, 3, 4, 5, 6, 7][])); ---- */ auto chain(Ranges...)(Ranges rs) if (Ranges.length > 0 && allSatisfy!(isInputRange, staticMap!(Unqual, Ranges)) && !is(CommonType!(staticMap!(ElementType, staticMap!(Unqual, Ranges))) == void)) { static if (Ranges.length == 1) { return rs[0]; } else { static struct Result { private: alias staticMap!(Unqual, Ranges) R; alias CommonType!(staticMap!(.ElementType, R)) RvalueElementType; private template sameET(A) { enum sameET = is(.ElementType!A == RvalueElementType); } enum bool allSameType = allSatisfy!(sameET, R); // This doesn't work yet static if (allSameType) { alias ref RvalueElementType ElementType; } else { alias RvalueElementType ElementType; } static if (allSameType && allSatisfy!(hasLvalueElements, R)) { static ref RvalueElementType fixRef(ref RvalueElementType val) { return val; } } else { static RvalueElementType fixRef(RvalueElementType val) { return val; } } // This is the entire state R source; // TODO: use a vtable (or more) instead of linear iteration public: this(R input) { foreach (i, v; input) { source[i] = v; } } static if (anySatisfy!(isInfinite, R)) { // Propagate infiniteness. enum bool empty = false; } else { @property bool empty() { foreach (i, Unused; R) { if (!source[i].empty) return false; } return true; } } static if (allSatisfy!(isForwardRange, R)) @property auto save() { typeof(this) result = this; foreach (i, Unused; R) { result.source[i] = result.source[i].save; } return result; } void popFront() { foreach (i, Unused; R) { if (source[i].empty) continue; source[i].popFront(); return; } } @property auto ref front() { foreach (i, Unused; R) { if (source[i].empty) continue; return fixRef(source[i].front); } assert(false); } static if (allSameType && allSatisfy!(hasAssignableElements, R)) { // @@@BUG@@@ //@property void front(T)(T v) if (is(T : RvalueElementType)) // Return type must be auto due to Bug 4706. @property auto front(RvalueElementType v) { foreach (i, Unused; R) { if (source[i].empty) continue; source[i].front = v; return; } assert(false); } } static if (allSatisfy!(hasMobileElements, R)) { RvalueElementType moveFront() { foreach (i, Unused; R) { if (source[i].empty) continue; return .moveFront(source[i]); } assert(false); } } static if (allSatisfy!(isBidirectionalRange, R)) { @property auto ref back() { foreach_reverse (i, Unused; R) { if (source[i].empty) continue; return fixRef(source[i].back); } assert(false); } void popBack() { foreach_reverse (i, Unused; R) { if (source[i].empty) continue; source[i].popBack(); return; } } static if (allSatisfy!(hasMobileElements, R)) { RvalueElementType moveBack() { foreach_reverse (i, Unused; R) { if (source[i].empty) continue; return .moveBack(source[i]); } assert(false); } } static if (allSameType && allSatisfy!(hasAssignableElements, R)) { // Return type must be auto due to extremely strange bug in DMD's // function overloading. @property auto back(RvalueElementType v) { foreach_reverse (i, Unused; R) { if (source[i].empty) continue; source[i].back = v; return; } assert(false); } } } static if (allSatisfy!(hasLength, R)) { @property size_t length() { size_t result; foreach (i, Unused; R) { result += source[i].length; } return result; } alias length opDollar; } static if (allSatisfy!(isRandomAccessRange, R)) { auto ref opIndex(size_t index) { foreach (i, Range; R) { static if (isInfinite!(Range)) { return source[i][index]; } else { immutable length = source[i].length; if (index < length) return fixRef(source[i][index]); index -= length; } } assert(false); } static if (allSatisfy!(hasMobileElements, R)) { RvalueElementType moveAt(size_t index) { foreach (i, Range; R) { static if (isInfinite!(Range)) { return .moveAt(source[i], index); } else { immutable length = source[i].length; if (index < length) return .moveAt(source[i], index); index -= length; } } assert(false); } } static if (allSameType && allSatisfy!(hasAssignableElements, R)) void opIndexAssign(ElementType v, size_t index) { foreach (i, Range; R) { static if (isInfinite!(Range)) { source[i][index] = v; } else { immutable length = source[i].length; if (index < length) { source[i][index] = v; return; } index -= length; } } assert(false); } } static if (allSatisfy!(hasLength, R) && allSatisfy!(hasSlicing, R)) auto opSlice(size_t begin, size_t end) { auto result = this; foreach (i, Unused; R) { immutable len = result.source[i].length; if (len < begin) { result.source[i] = result.source[i] [len .. len]; begin -= len; } else { result.source[i] = result.source[i] [begin .. len]; break; } } auto cut = length; cut = cut <= end ? 0 : cut - end; foreach_reverse (i, Unused; R) { immutable len = result.source[i].length; if (cut > len) { result.source[i] = result.source[i] [0 .. 0]; cut -= len; } else { result.source[i] = result.source[i] [0 .. len - cut]; break; } } return result; } } return Result(rs); } } unittest { { int[] arr1 = [ 1, 2, 3, 4 ]; int[] arr2 = [ 5, 6 ]; int[] arr3 = [ 7 ]; int[] witness = [ 1, 2, 3, 4, 5, 6, 7 ]; auto s1 = chain(arr1); static assert(isRandomAccessRange!(typeof(s1))); auto s2 = chain(arr1, arr2); static assert(isBidirectionalRange!(typeof(s2))); static assert(isRandomAccessRange!(typeof(s2))); s2.front = 1; auto s = chain(arr1, arr2, arr3); assert(s[5] == 6); assert(equal(s, witness)); assert(s[5] == 6); } { int[] arr1 = [ 1, 2, 3, 4 ]; int[] witness = [ 1, 2, 3, 4 ]; assert(equal(chain(arr1), witness)); } { uint[] foo = [1,2,3,4,5]; uint[] bar = [1,2,3,4,5]; auto c = chain(foo, bar); c[3] = 42; assert(c[3] == 42); assert(c.moveFront() == 1); assert(c.moveBack() == 5); assert(c.moveAt(4) == 5); assert(c.moveAt(5) == 1); } // Make sure bug 3311 is fixed. ChainImpl should compile even if not all // elements are mutable. auto c = chain( iota(0, 10), iota(0, 10) ); // Test the case where infinite ranges are present. auto inf = chain([0,1,2][], cycle([4,5,6][]), [7,8,9][]); // infinite range assert(inf[0] == 0); assert(inf[3] == 4); assert(inf[6] == 4); assert(inf[7] == 5); static assert(isInfinite!(typeof(inf))); immutable int[] immi = [ 1, 2, 3 ]; immutable float[] immf = [ 1, 2, 3 ]; static assert(is(typeof(chain(immi, immf)))); // Check that chain at least instantiates and compiles with every possible // pair of DummyRange types, in either order. foreach(DummyType1; AllDummyRanges) { DummyType1 dummy1; foreach(DummyType2; AllDummyRanges) { DummyType2 dummy2; auto myChain = chain(dummy1, dummy2); static assert( propagatesRangeType!(typeof(myChain), DummyType1, DummyType2) ); assert(myChain.front == 1); foreach(i; 0..dummyLength) { myChain.popFront(); } assert(myChain.front == 1); static if (isBidirectionalRange!DummyType1 && isBidirectionalRange!DummyType2) { assert(myChain.back == 10); } static if (isRandomAccessRange!DummyType1 && isRandomAccessRange!DummyType2) { assert(myChain[0] == 1); } static if (hasLvalueElements!DummyType1 && hasLvalueElements!DummyType2) { static assert(hasLvalueElements!(typeof(myChain))); } else { static assert(!hasLvalueElements!(typeof(myChain))); } } } } unittest { class Foo{} immutable(Foo)[] a; immutable(Foo)[] b; auto c = chain(a, b); } /** $(D roundRobin(r1, r2, r3)) yields $(D r1.front), then $(D r2.front), then $(D r3.front), after which it pops off one element from each and continues again from $(D r1). For example, if two ranges are involved, it alternately yields elements off the two ranges. $(D roundRobin) stops after it has consumed all ranges (skipping over the ones that finish early). Example: ---- int[] a = [ 1, 2, 3, 4]; int[] b = [ 10, 20 ]; assert(equal(roundRobin(a, b), [1, 10, 2, 20, 3, 4])); ---- */ auto roundRobin(Rs...)(Rs rs) if (Rs.length > 1 && allSatisfy!(isInputRange, staticMap!(Unqual, Rs))) { struct Result { public Rs source; private size_t _current = size_t.max; @property bool empty() { foreach (i, Unused; Rs) { if (!source[i].empty) return false; } return true; } @property auto ref front() { static string makeSwitch() { string result = "switch (_current) {\n"; foreach (i, R; Rs) { auto si = to!string(i); result ~= "case "~si~": "~ "assert(!source["~si~"].empty); return source["~si~"].front;\n"; } return result ~ "default: assert(0); }"; } mixin(makeSwitch()); } void popFront() { static string makeSwitchPopFront() { string result = "switch (_current) {\n"; foreach (i, R; Rs) { auto si = to!string(i); result ~= "case "~si~": source["~si~"].popFront(); break;\n"; } return result ~ "default: assert(0); }"; } static string makeSwitchIncrementCounter() { string result = "auto next = _current == Rs.length - 1 ? 0 : _current + 1;\n" "switch (next) {\n"; foreach (i, R; Rs) { auto si = to!string(i); auto si_1 = to!string(i ? i - 1 : Rs.length - 1); result ~= "case "~si~": " "if (!source["~si~"].empty) { _current = "~si~"; return; }\n" "if ("~si~" == _current) { _current = _current.max; return; }\n" "goto case "~to!string((i + 1) % Rs.length)~";\n"; } return result ~ "default: assert(0); }"; } mixin(makeSwitchPopFront()); mixin(makeSwitchIncrementCounter()); } static if (allSatisfy!(isForwardRange, staticMap!(Unqual, Rs))) @property auto save() { Result result = this; foreach (i, Unused; Rs) { result.source[i] = result.source[i].save; } return result; } static if (allSatisfy!(hasLength, Rs)) { @property size_t length() { size_t result; foreach (i, R; Rs) { result += source[i].length; } return result; } alias length opDollar; } } return Result(rs, 0); } unittest { int[] a = [ 1, 2, 3 ]; int[] b = [ 10, 20, 30, 40 ]; auto r = roundRobin(a, b); assert(equal(r, [ 1, 10, 2, 20, 3, 30, 40 ])); } /** Iterates a random-access range starting from a given point and progressively extending left and right from that point. If no initial point is given, iteration starts from the middle of the range. Iteration spans the entire range. Example: ---- int[] a = [ 1, 2, 3, 4, 5 ]; assert(equal(radial(a), [ 3, 4, 2, 5, 1 ])); a = [ 1, 2, 3, 4 ]; assert(equal(radial(a), [ 2, 3, 1, 4 ])); ---- */ auto radial(Range, I)(Range r, I startingIndex) if (isRandomAccessRange!(Unqual!Range) && hasLength!(Unqual!Range) && isIntegral!I) { if (!r.empty) ++startingIndex; return roundRobin(retro(r[0 .. startingIndex]), r[startingIndex .. r.length]); } /// Ditto auto radial(R)(R r) if (isRandomAccessRange!(Unqual!R) && hasLength!(Unqual!R)) { return .radial(r, (r.length - !r.empty) / 2); } unittest { void test(int[] input, int[] witness) { enforce(equal(radial(input), witness), text(radial(input), " vs. ", witness)); } test([], []); test([ 1 ], [ 1 ]); test([ 1, 2 ], [ 1, 2 ]); test([ 1, 2, 3 ], [ 2, 3, 1 ]); test([ 1, 2, 3, 4 ], [ 2, 3, 1, 4 ]); test([ 1, 2, 3, 4, 5 ], [ 3, 4, 2, 5, 1 ]); test([ 1, 2, 3, 4, 5, 6 ], [ 3, 4, 2, 5, 1, 6 ]); int[] a = [ 1, 2, 3, 4, 5 ]; assert(equal(radial(a, 1), [ 2, 3, 1, 4, 5 ][])); static assert(isForwardRange!(typeof(radial(a, 1)))); auto r = radial([1,2,3,4,5]); for(auto rr = r.save; !rr.empty; rr.popFront()) { assert(rr.front == moveFront(rr)); } r.front = 5; assert(r.front == 5); // Test instantiation without lvalue elements. DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Random) dummy; assert(equal(radial(dummy, 4), [5, 6, 4, 7, 3, 8, 2, 9, 1, 10])); // immutable int[] immi = [ 1, 2 ]; // static assert(is(typeof(radial(immi)))); } unittest { auto LL = iota(1L, 6L); auto r = radial(LL); assert(equal(r, [3L, 4L, 2L, 5L, 1L])); } /** Lazily takes only up to $(D n) elements of a range. This is particularly useful when using with infinite ranges. If the range offers random access and $(D length), $(D Take) offers them as well. Example: ---- int[] arr1 = [ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 ]; auto s = take(arr1, 5); assert(s.length == 5); assert(s[4] == 5); assert(equal(s, [ 1, 2, 3, 4, 5 ][])); ---- */ struct Take(Range) if (isInputRange!(Unqual!Range) && //take _cannot_ test hasSlicing on infinite ranges, because hasSlicing uses //take for slicing infinite ranges. !((!isInfinite!(Unqual!Range) && hasSlicing!(Unqual!Range)) || is(Range T == Take!T))) { private alias Unqual!Range R; // User accessible in read and write public R source; private size_t _maxAvailable; alias R Source; @property bool empty() { return _maxAvailable == 0 || source.empty; } @property auto ref front() { assert(!empty, "Attempting to fetch the front of an empty " ~ Take.stringof); return source.front; } void popFront() { assert(!empty, "Attempting to popFront() past the end of a " ~ Take.stringof); source.popFront(); --_maxAvailable; } static if (isForwardRange!R) @property Take save() { return Take(source.save, _maxAvailable); } static if (hasAssignableElements!R) @property auto front(ElementType!R v) { assert(!empty, "Attempting to assign to the front of an empty " ~ Take.stringof); // This has to return auto instead of void because of Bug 4706. source.front = v; } static if (hasMobileElements!R) { auto moveFront() { assert(!empty, "Attempting to move the front of an empty " ~ Take.stringof); return .moveFront(source); } } static if (isInfinite!R) { @property size_t length() const { return _maxAvailable; } alias length opDollar; } else static if (hasLength!R) { @property size_t length() { return min(_maxAvailable, source.length); } alias length opDollar; } static if (isRandomAccessRange!R) { void popBack() { assert(!empty, "Attempting to popBack() past the beginning of a " ~ Take.stringof); --_maxAvailable; } @property auto ref back() { assert(!empty, "Attempting to fetch the back of an empty " ~ Take.stringof); return source[this.length - 1]; } auto ref opIndex(size_t index) { assert(index < length, "Attempting to index out of the bounds of a " ~ Take.stringof); return source[index]; } static if (hasAssignableElements!R) { auto back(ElementType!R v) { // This has to return auto instead of void because of Bug 4706. assert(!empty, "Attempting to assign to the back of an empty " ~ Take.stringof); source[this.length - 1] = v; } void opIndexAssign(ElementType!R v, size_t index) { assert(index < length, "Attempting to index out of the bounds of a " ~ Take.stringof); source[index] = v; } } static if (hasMobileElements!R) { auto moveBack() { assert(!empty, "Attempting to move the back of an empty " ~ Take.stringof); return .moveAt(source, this.length - 1); } auto moveAt(size_t index) { assert(index < length, "Attempting to index out of the bounds of a " ~ Take.stringof); return .moveAt(source, index); } } } // Nonstandard @property size_t maxLength() const { return _maxAvailable; } } // This template simply aliases itself to R and is useful for consistency in // generic code. template Take(R) if (isInputRange!(Unqual!R) && ((!isInfinite!(Unqual!R) && hasSlicing!(Unqual!R)) || is(R T == Take!T))) { alias R Take; } // take for finite ranges with slicing /// ditto Take!R take(R)(R input, size_t n) if (isInputRange!(Unqual!R) && !isInfinite!(Unqual!R) && hasSlicing!(Unqual!R)) { // @@@BUG@@@ //return input[0 .. min(n, $)]; return input[0 .. min(n, input.length)]; } // take(take(r, n1), n2) Take!R take(R)(R input, size_t n) if (is(R T == Take!T)) { return R(input.source, min(n, input._maxAvailable)); } // Regular take for input ranges Take!(R) take(R)(R input, size_t n) if (isInputRange!(Unqual!R) && (isInfinite!(Unqual!R) || !hasSlicing!(Unqual!R) && !is(R T == Take!T))) { return Take!R(input, n); } unittest { int[] arr1 = [ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 ]; auto s = take(arr1, 5); assert(s.length == 5); assert(s[4] == 5); assert(equal(s, [ 1, 2, 3, 4, 5 ][])); assert(equal(retro(s), [ 5, 4, 3, 2, 1 ][])); // Test fix for bug 4464. static assert(is(typeof(s) == Take!(int[]))); static assert(is(typeof(s) == int[])); // Test using narrow strings. auto myStr = "This is a string."; auto takeMyStr = take(myStr, 7); assert(equal(takeMyStr, "This is")); // Test fix for bug 5052. auto takeMyStrAgain = take(takeMyStr, 4); assert(equal(takeMyStrAgain, "This")); static assert (is (typeof(takeMyStrAgain) == typeof(takeMyStr))); takeMyStrAgain = take(takeMyStr, 10); assert(equal(takeMyStrAgain, "This is")); foreach(DummyType; AllDummyRanges) { DummyType dummy; auto t = take(dummy, 5); alias typeof(t) T; static if (isRandomAccessRange!DummyType) { static assert(isRandomAccessRange!T); assert(t[4] == 5); assert(moveAt(t, 1) == t[1]); assert(t.back == moveBack(t)); } else static if (isForwardRange!DummyType) { static assert(isForwardRange!T); } for(auto tt = t; !tt.empty; tt.popFront()) { assert(tt.front == moveFront(tt)); } // Bidirectional ranges can't be propagated properly if they don't // also have random access. assert(equal(t, [1,2,3,4,5])); //Test that take doesn't wrap the result of take. assert(take(t, 4) == take(dummy, 4)); } immutable myRepeat = repeat(1); static assert(is(Take!(typeof(myRepeat)))); } unittest { // Check that one can declare variables of all Take types, // and that they match the return type of the corresponding // take(). (See issue 4464.) int[] r1; Take!(int[]) t1; t1 = take(r1, 1); string r2; Take!string t2; t2 = take(r2, 1); Take!(Take!string) t3; t3 = take(t2, 1); } /** Similar to $(LREF take), but assumes that $(D range) has at least $(D n) elements. Consequently, the result of $(D takeExactly(range, n)) always defines the $(D length) property (and initializes it to $(D n)) even when $(D range) itself does not define $(D length). The result of $(D takeExactly) is identical to that of $(LREF take) in cases where the original range defines $(D length) or is infinite. */ auto takeExactly(R)(R range, size_t n) if (isInputRange!R) { static if (is(typeof(takeExactly(range._input, n)) == R)) { assert(n <= range._n, "Attempted to take more than the length of the range with takeExactly."); // takeExactly(takeExactly(r, n1), n2) has the same type as // takeExactly(r, n1) and simply returns takeExactly(r, n2) range._n = n; return range; } //Also covers hasSlicing!R for finite ranges. else static if (hasLength!R) { assert(n <= range.length, "Attempted to take more than the length of the range with takeExactly."); return take(range, n); } else static if (isInfinite!R) return Take!R(range, n); else { static struct Result { R _input; private size_t _n; @property bool empty() const { return !_n; } @property auto ref front() { assert(_n > 0, "front() on an empty " ~ Result.stringof); return _input.front; } void popFront() { _input.popFront(); --_n; } @property size_t length() const { return _n; } alias length opDollar; static if (isForwardRange!R) @property auto save() { return Result(_input.save, _n); } static if (hasMobileElements!R) { auto moveFront() { assert(!empty, "Attempting to move the front of an empty " ~ typeof(this).stringof); return .moveFront(_input); } } static if (hasAssignableElements!R) { @property auto ref front(ElementType!R v) { assert(!empty, "Attempting to assign to the front of an empty " ~ typeof(this).stringof); return _input.front = v; } } } return Result(range, n); } } unittest { auto a = [ 1, 2, 3, 4, 5 ]; auto b = takeExactly(a, 3); assert(equal(b, [1, 2, 3])); static assert(is(typeof(b.length) == size_t)); assert(b.length == 3); assert(b.front == 1); assert(b.back == 3); auto c = takeExactly(b, 2); auto d = filter!"a > 0"(a); auto e = takeExactly(d, 3); assert(equal(e, [1, 2, 3])); static assert(is(typeof(e.length) == size_t)); assert(e.length == 3); assert(e.front == 1); assert(equal(takeExactly(e, 3), [1, 2, 3])); //Test that take and takeExactly are the same for ranges which define length //but aren't sliceable. struct L { @property auto front() { return _arr[0]; } @property bool empty() { return _arr.empty; } void popFront() { _arr.popFront(); } @property size_t length() { return _arr.length; } int[] _arr; } static assert(is(typeof(take(L(a), 3)) == typeof(takeExactly(L(a), 3)))); assert(take(L(a), 3) == takeExactly(L(a), 3)); //Test that take and takeExactly are the same for ranges which are sliceable. static assert(is(typeof(take(a, 3)) == typeof(takeExactly(a, 3)))); assert(take(a, 3) == takeExactly(a, 3)); //Test that take and takeExactly are the same for infinite ranges. auto inf = repeat(1); static assert(is(typeof(take(inf, 5)) == Take!(typeof(inf)))); assert(take(inf, 5) == takeExactly(inf, 5)); //Test that take and takeExactly are _not_ the same for ranges which don't //define length. static assert(!is(typeof(take(filter!"true"(a), 3)) == typeof(takeExactly(filter!"true"(a), 3)))); foreach(DummyType; AllDummyRanges) { { DummyType dummy; auto t = takeExactly(dummy, 5); //Test that takeExactly doesn't wrap the result of takeExactly. assert(takeExactly(t, 4) == takeExactly(dummy, 4)); } static if(hasMobileElements!DummyType) { { auto t = takeExactly(DummyType.init, 4); assert(t.moveFront() == 1); assert(equal(t, [1, 2, 3, 4])); } } static if(hasAssignableElements!DummyType) { { auto t = takeExactly(DummyType.init, 4); t.front = 9; assert(equal(t, [9, 2, 3, 4])); } } } } /** Returns a range with at most one element; for example, $(D takeOne([42, 43, 44])) returns a range consisting of the integer $(D 42). Calling $(D popFront()) off that range renders it empty. ---- auto s = takeOne([42, 43, 44]); static assert(isRandomAccessRange!(typeof(s))); assert(s.length == 1); assert(!s.empty); assert(s.front == 42); s.front() = 43; assert(s.front == 43); assert(s.back == 43); assert(s[0] == 43); s.popFront(); assert(s.length == 0); assert(s.empty); ---- In effect $(D takeOne(r)) is somewhat equivalent to $(D take(r, 1)) but in certain interfaces it is important to know statically that the range may only have at most one element. The type returned by $(D takeOne) is a random-access range with length regardless of $(D R)'s capabilities (another feature that distinguishes $(D takeOne) from $(D take)). */ auto takeOne(R)(R source) if (isInputRange!R) { static if (hasSlicing!R) { return source[0 .. !source.empty]; } else { static struct Result { private R _source; private bool _empty = true; @property bool empty() const { return _empty; } @property auto ref front() { assert(!empty); return _source.front; } void popFront() { assert(!empty); _empty = true; } void popBack() { assert(!empty); _empty = true; } @property auto save() { return Result(_source.save, empty); } @property auto ref back() { assert(!empty); return _source.front; } @property size_t length() const { return !empty; } alias length opDollar; auto ref opIndex(size_t n) { assert(n < length); return _source.front; } auto opSlice(size_t m, size_t n) { assert(m <= n && n < length); return n > m ? this : Result(_source, false); } // Non-standard property @property R source() { return _source; } } return Result(source, source.empty); } } unittest { auto s = takeOne([42, 43, 44]); static assert(isRandomAccessRange!(typeof(s))); assert(s.length == 1); assert(!s.empty); assert(s.front == 42); s.front = 43; assert(s.front == 43); assert(s.back == 43); assert(s[0] == 43); s.popFront(); assert(s.length == 0); assert(s.empty); } /++ Returns an empty range which is statically known to be empty and is guaranteed to have $(D length) and be random access regardless of $(D R)'s capabilities. Examples: -------------------- auto range = takeNone!(int[])(); assert(range.length == 0); assert(range.empty); -------------------- +/ auto takeNone(R)() if(isInputRange!R) { return typeof(takeOne(R.init)).init; } unittest { auto range = takeNone!(int[])(); assert(range.length == 0); assert(range.empty); enum ctfe = takeNone!(int[])(); static assert(ctfe.length == 0); static assert(ctfe.empty); } /++ Creates an empty range from the given range in $(BIGOH 1). If it can, it will return the same range type. If not, it will return $(D takeExactly(range, 0)). Examples: -------------------- assert(takeNone([42, 27, 19]).empty); assert(takeNone("dlang.org").empty); assert(takeNone(filter!"true"([42, 27, 19])).empty); -------------------- +/ auto takeNone(R)(R range) if(isInputRange!R) { //Makes it so that calls to takeNone which don't use UFCS still work with a //member version if it's defined. static if(is(typeof(R.takeNone))) auto retval = range.takeNone(); //@@@BUG@@@ 8339 else static if(isDynamicArray!R)/+ || (is(R == struct) && __traits(compiles, {auto r = R.init;}) && R.init.empty))+/ { auto retval = R.init; } //An infinite range sliced at [0 .. 0] would likely still not be empty... else static if(hasSlicing!R && !isInfinite!R) auto retval = range[0 .. 0]; else auto retval = takeExactly(range, 0); //@@@BUG@@@ 7892 prevents this from being done in an out block. assert(retval.empty); return retval; } //Verify Examples. unittest { assert(takeNone([42, 27, 19]).empty); assert(takeNone("dlang.org").empty); assert(takeNone(filter!"true"([42, 27, 19])).empty); } unittest { string genInput() { return "@property bool empty() { return _arr.empty; }" ~ "@property auto front() { return _arr.front; }" ~ "void popFront() { _arr.popFront(); }" ~ "static assert(isInputRange!(typeof(this)));"; } static struct NormalStruct { //Disabled to make sure that the takeExactly version is used. @disable this(); this(int[] arr) { _arr = arr; } mixin(genInput()); int[] _arr; } static struct SliceStruct { @disable this(); this(int[] arr) { _arr = arr; } mixin(genInput()); @property auto save() { return this; } auto opSlice(size_t i, size_t j) { return typeof(this)(_arr[i .. j]); } @property size_t length() { return _arr.length; } int[] _arr; } static struct InitStruct { mixin(genInput()); int[] _arr; } static struct TakeNoneStruct { this(int[] arr) { _arr = arr; } @disable this(); mixin(genInput()); auto takeNone() { return typeof(this)(null); } int[] _arr; } static class NormalClass { this(int[] arr) {_arr = arr;} mixin(genInput()); int[] _arr; } static class SliceClass { this(int[] arr) { _arr = arr; } mixin(genInput()); @property auto save() { return new typeof(this)(_arr); } auto opSlice(size_t i, size_t j) { return new typeof(this)(_arr[i .. j]); } @property size_t length() { return _arr.length; } int[] _arr; } static class TakeNoneClass { this(int[] arr) { _arr = arr; } mixin(genInput()); auto takeNone() { return new typeof(this)(null); } int[] _arr; } foreach(range; TypeTuple!(`[1, 2, 3, 4, 5]`, `"hello world"`, `"hello world"w`, `"hello world"d`, `SliceStruct([1, 2, 3])`, //@@@BUG@@@ 8339 forces this to be takeExactly //`InitStruct([1, 2, 3])`, `TakeNoneStruct([1, 2, 3])`)) { mixin(format("enum a = takeNone(%s).empty;", range)); assert(a, typeof(range).stringof); mixin(format("assert(takeNone(%s).empty);", range)); mixin(format("static assert(is(typeof(%s) == typeof(takeNone(%s))), typeof(%s).stringof);", range, range, range)); } foreach(range; TypeTuple!(`NormalStruct([1, 2, 3])`, `InitStruct([1, 2, 3])`)) { mixin(format("enum a = takeNone(%s).empty;", range)); assert(a, typeof(range).stringof); mixin(format("assert(takeNone(%s).empty);", range)); mixin(format("static assert(is(typeof(takeExactly(%s, 0)) == typeof(takeNone(%s))), typeof(%s).stringof);", range, range, range)); } //Don't work in CTFE. auto normal = new NormalClass([1, 2, 3]); assert(takeNone(normal).empty); static assert(is(typeof(takeExactly(normal, 0)) == typeof(takeNone(normal))), typeof(normal).stringof); auto slice = new SliceClass([1, 2, 3]); assert(takeNone(slice).empty); static assert(is(SliceClass == typeof(takeNone(slice))), typeof(slice).stringof); auto taken = new TakeNoneClass([1, 2, 3]); assert(takeNone(taken).empty); static assert(is(TakeNoneClass == typeof(takeNone(taken))), typeof(taken).stringof); auto filtered = filter!"true"([1, 2, 3, 4, 5]); assert(takeNone(filtered).empty); //@@@BUG@@@ 8339 and 5941 force this to be takeExactly //static assert(is(typeof(filtered) == typeof(takeNone(filtered))), typeof(filtered).stringof); } /++ Convenience function which calls $(D range.$(LREF popFrontN)(n)) and returns $(D range). $(D drop) makes it easier to pop elements from a range and then pass it to another function within a single expression, whereas $(D popFrontN) would require multiple statements. $(D dropBack) provides the same functionality but instead calls $(D range.popBackN(n)). Note: $(D drop) and $(D dropBack) will only pop $(I up to) $(D n) elements but will stop if the range is empty first. Examples: -------------------- assert([0, 2, 1, 5, 0, 3].drop(3) == [5, 0, 3]); assert("hello world".drop(6) == "world"); assert("hello world".drop(50).empty); assert("hello world".take(6).drop(3).equal("lo ")); -------------------- -------------------- //Remove all but the first two elements auto a = DList!int(0, 1, 9, 9, 9); a.remove(a[].drop(2)); assert(a[].equal(a[].take(2))); -------------------- -------------------- assert([0, 2, 1, 5, 0, 3].dropBack(3) == [0, 2, 1]); assert("hello world".dropBack(6) == "hello"); assert("hello world".dropBack(50).empty); assert("hello world".drop(4).dropBack(4).equal("o w")); -------------------- -------------------- //insert before the last two elements auto a = DList!int(0, 1, 2, 5, 6); a.insertAfter(a[].dropBack(2), [3, 4]); assert(a[].equal(iota(0, 7))); -------------------- +/ R drop(R)(R range, size_t n) if(isInputRange!R) { range.popFrontN(n); return range; } /// ditto R dropBack(R)(R range, size_t n) if(isBidirectionalRange!R) { range.popBackN(n); return range; } //Verify Examples unittest { assert([0, 2, 1, 5, 0, 3].drop(3) == [5, 0, 3]); assert("hello world".drop(6) == "world"); assert("hello world".drop(50).empty); assert("hello world".take(6).drop(3).equal("lo ")); } unittest { //Remove all but the first two elements auto a = DList!int(0, 1, 9, 9, 9, 9); a.remove(a[].drop(2)); assert(a[].equal(a[].take(2))); } unittest { assert(drop("", 5).empty); assert(equal(drop(filter!"true"([0, 2, 1, 5, 0, 3]), 3), [5, 0, 3])); } unittest { assert([0, 2, 1, 5, 0, 3].dropBack(3) == [0, 2, 1]); assert("hello world".dropBack(6) == "hello"); assert("hello world".dropBack(50).empty); assert("hello world".drop(4).dropBack(4).equal("o w")); } unittest { //insert before the last two elements auto a = DList!int(0, 1, 2, 5, 6); a.insertAfter(a[].dropBack(2), [3, 4]); assert(a[].equal(iota(0, 7))); } /++ Similar to $(LREF drop) and $(D dropBack) but they call $(D range.$(LREF popFrontExactly)(n)) and $(D range.popBackExactly(n)) instead. Note: Unlike $(D drop), $(D dropExactly) will assume that the range holds at least $(D n) elements. This makes $(D dropExactly) faster than $(D drop), but it also means that if $(D range) does not contain at least $(D n) elements, it will attempt to call $(D popFront) on an empty range, which is undefined behavior. So, only use $(D popFrontExactly) when it is guaranteed that $(D range) holds at least $(D n) elements. +/ R dropExactly(R)(R range, size_t n) if(isInputRange!R) { popFrontExactly(range, n); return range; } /// ditto R dropBackExactly(R)(R range, size_t n) if(isBidirectionalRange!R) { popBackExactly(range, n); return range; } unittest { //RA+slicing auto a = [1, 2, 3]; assert(a.dropExactly(1) == [2, 3]); assert(a.dropBackExactly(1) == [1, 2]); //UTF string string s = "日本語"; assert(s.dropExactly(1) == "本語"); assert(s.dropBackExactly(1) == "日本"); //Bidirectional auto bd = filterBidirectional!"true"([1, 2, 3]); assert(bd.dropExactly(1).equal([2, 3])); assert(bd.dropBackExactly(1).equal([1, 2])); } /++ Convenience function which calls $(D range.popFront()) and returns $(D range). $(D dropOne) makes it easier to pop an element from a range and then pass it to another function within a single expression, whereas $(D popFront) would require multiple statements. $(D dropBackOne) provides the same functionality but instead calls $(D range.popBack()). Example: ---- auto dl = DList!int(9, 1, 2, 3, 9); assert(dl[].dropOne().dropBackOne().equal([1, 2, 3])); ---- +/ R dropOne(R)(R range) if (isInputRange!R) { range.popFront(); return range; } /// ditto R dropBackOne(R)(R range) if (isBidirectionalRange!R) { range.popBack(); return range; } unittest { auto dl = DList!int(9, 1, 2, 3, 9); assert(dl[].dropOne().dropBackOne().equal([1, 2, 3])); } unittest { //RA+slicing auto a = [1, 2, 3]; assert(a.dropOne() == [2, 3]); assert(a.dropBackOne() == [1, 2]); //UTF string string s = "日本語"; assert(s.dropOne() == "本語"); assert(s.dropBackOne() == "日本"); //Bidirectional auto bd = filterBidirectional!"true"([1, 2, 3]); assert(bd.dropOne().equal([2, 3])); assert(bd.dropBackOne().equal([1, 2])); } /** Eagerly advances $(D r) itself (not a copy) up to $(D n) times (by calling $(D r.popFront)). $(D popFrontN) takes $(D r) by $(D ref), so it mutates the original range. Completes in $(BIGOH 1) steps for ranges that support slicing and have length. Completes in $(BIGOH n) time for all other ranges. Returns: How much $(D r) was actually advanced, which may be less than $(D n) if $(D r) did not have at least $(D n) elements. $(D popBackN) will behave the same but instead removes elements from the back of the (bidirectional) range instead of the front. Example: ---- int[] a = [ 1, 2, 3, 4, 5 ]; a.popFrontN(2); assert(a == [ 3, 4, 5 ]); a.popFrontN(7); assert(a == [ ]); ---- ---- int[] a = [ 1, 2, 3, 4, 5 ]; a.popBackN(2); assert(a == [ 1, 2, 3 ]); a.popBackN(7); assert(a == [ ]); ---- */ size_t popFrontN(Range)(ref Range r, size_t n) if (isInputRange!Range) { static if (hasLength!Range) n = min(n, r.length); static if (hasSlicing!Range && is(typeof(r = r[n .. $]))) { r = r[n .. $]; } else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. { r = r[n .. r.length]; } else { static if (hasLength!Range) { foreach (i; 0 .. n) r.popFront(); } else { foreach (i; 0 .. n) { if (r.empty) return i; r.popFront(); } } } return n; } /// ditto size_t popBackN(Range)(ref Range r, size_t n) if (isBidirectionalRange!Range) { static if (hasLength!Range) n = min(n, r.length); static if (hasSlicing!Range && is(typeof(r = r[0 .. $ - n]))) { r = r[0 .. $ - n]; } else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. { r = r[0 .. r.length - n]; } else { static if (hasLength!Range) { foreach (i; 0 .. n) r.popBack(); } else { foreach (i; 0 .. n) { if (r.empty) return i; r.popBack(); } } } return n; } unittest { int[] a = [ 1, 2, 3, 4, 5 ]; a.popFrontN(2); assert(a == [ 3, 4, 5 ]); a.popFrontN(7); assert(a == [ ]); } unittest { auto LL = iota(1L, 7L); auto r = popFrontN(LL, 2); assert(equal(LL, [3L, 4L, 5L, 6L])); assert(r == 2); } unittest { int[] a = [ 1, 2, 3, 4, 5 ]; a.popBackN(2); assert(a == [ 1, 2, 3 ]); a.popBackN(7); assert(a == [ ]); } unittest { auto LL = iota(1L, 7L); auto r = popBackN(LL, 2); assert(equal(LL, [1L, 2L, 3L, 4L])); assert(r == 2); } /** Eagerly advances $(D r) itself (not a copy) exactly $(D n) times (by calling $(D r.popFront)). $(D popFrontExactly) takes $(D r) by $(D ref), so it mutates the original range. Completes in $(BIGOH 1) steps for ranges that support slicing, and have either length or are infinite. Completes in $(BIGOH n) time for all other ranges. Note: Unlike $(LREF popFrontN), $(D popFrontExactly) will assume that the range holds at least $(D n) elements. This makes $(D popFrontExactly) faster than $(D popFrontN), but it also means that if $(D range) does not contain at least $(D n) elements, it will attempt to call $(D popFront) on an empty range, which is undefined behavior. So, only use $(D popFrontExactly) when it is guaranteed that $(D range) holds at least $(D n) elements. $(D popBackExactly) will behave the same but instead removes elements from the back of the (bidirectional) range instead of the front. */ void popFrontExactly(Range)(ref Range r, size_t n) if (isInputRange!Range) { static if (hasLength!Range) assert(n <= r.length, "range is smaller than amount of items to pop"); static if (hasSlicing!Range && is(typeof(r = r[n .. $]))) r = r[n .. $]; else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. r = r[n .. r.length]; else foreach (i; 0 .. n) r.popFront(); } /// ditto void popBackExactly(Range)(ref Range r, size_t n) if (isBidirectionalRange!Range) { static if (hasLength!Range) assert(n <= r.length, "range is smaller than amount of items to pop"); static if (hasSlicing!Range && is(typeof(r = r[0 .. $ - n]))) r = r[0 .. $ - n]; else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. r = r[0 .. r.length - n]; else foreach (i; 0 .. n) r.popBack(); } unittest { //RA+slicing auto a = [1, 2, 3]; a.popFrontExactly(1); assert(a == [2, 3]); a.popBackExactly(1); assert(a == [2]); //UTF string string s = "日本語"; s.popFrontExactly(1); assert(s == "本語"); s.popBackExactly(1); assert(s == "本"); //Bidirectional auto bd = filterBidirectional!"true"([1, 2, 3]); bd.popFrontExactly(1); assert(bd.equal([2, 3])); bd.popBackExactly(1); assert(bd.equal([2])); } /** Repeats one value forever. Example: ---- enforce(equal(take(repeat(5), 4), [ 5, 5, 5, 5 ][])); ---- */ struct Repeat(T) { private T _value; /// Range primitive implementations. @property T front() { return _value; } /// Ditto enum bool empty = false; /// Ditto void popFront() {} /// Ditto @property Repeat!T save() { return this; } /// Ditto T opIndex(size_t) { return _value; } /// Ditto auto opSlice(size_t i, size_t j) { version (assert) if (i > j) throw new RangeError(); return this.takeExactly(j - i); } /// Ditto version (StdDdoc) auto opDollar(){return DollarToken();} //Opaque signature for Ddoc else enum opDollar = DollarToken(); //Implementation defined signature private static struct DollarToken{} auto opSlice(size_t, DollarToken){return this;} } /// Ditto Repeat!(T) repeat(T)(T value) { return Repeat!(T)(value); } unittest { auto r = repeat(5); alias R = typeof(r); static assert(isForwardRange!R); static assert(isInfinite!R); static assert(hasSlicing!R); assert(r.take(4).equal([ 5, 5, 5, 5 ])); assert(r[0 .. 4].equal([ 5, 5, 5, 5 ])); R r2 = r[5 .. $]; } /** Repeats $(D value) exactly $(D n) times. Equivalent to $(D take(repeat(value), n)). */ Take!(Repeat!T) repeat(T)(T value, size_t n) { return take(repeat(value), n); } unittest { enforce(equal(repeat(5, 4), [ 5, 5, 5, 5 ][])); } /** Repeats the given forward range ad infinitum. If the original range is infinite (fact that would make $(D Cycle) the identity application), $(D Cycle) detects that and aliases itself to the range type itself. If the original range has random access, $(D Cycle) offers random access and also offers a constructor taking an initial position $(D index). $(D Cycle) works with static arrays in addition to ranges, mostly for performance reasons. Example: ---- assert(equal(take(cycle([1, 2][]), 5), [ 1, 2, 1, 2, 1 ][])); ---- Tip: This is a great way to implement simple circular buffers. */ struct Cycle(Range) if (isForwardRange!(Unqual!Range) && !isInfinite!(Unqual!Range)) { alias Unqual!Range R; static if (isRandomAccessRange!R && hasLength!R) { R _original; size_t _index; this(R input, size_t index = 0) { _original = input; _index = index; } @property auto ref front() { return _original[_index % _original.length]; } static if (is(typeof((cast(const R)_original)[0])) && is(typeof((cast(const R)_original).length))) { @property auto ref front() const { return _original[_index % _original.length]; } } static if (hasAssignableElements!R) { @property auto front(ElementType!R val) { _original[_index % _original.length] = val; } } enum bool empty = false; void popFront() { ++_index; } auto ref opIndex(size_t n) { return _original[(n + _index) % _original.length]; } static if (is(typeof((cast(const R)_original)[0])) && is(typeof((cast(const R)_original).length))) { auto ref opIndex(size_t n) const { return _original[(n + _index) % _original.length]; } } static if (hasAssignableElements!R) { auto opIndexAssign(ElementType!R val, size_t n) { _original[(n + _index) % _original.length] = val; } } @property Cycle save() { return Cycle(this._original.save, this._index); } private static struct DollarToken {} enum opDollar = DollarToken.init; auto opSlice(size_t i, size_t j) { version (assert) if (i > j) throw new RangeError(); auto retval = this.save; retval._index += i; return takeExactly(retval, j - i); } auto opSlice(size_t i, DollarToken) { auto retval = this.save; retval._index += i; return retval; } } else { R _original; R _current; this(R input) { _original = input; _current = input.save; } @property auto ref front() { return _current.front; } static if (is(typeof((cast(const R)_current).front))) @property auto ref front() const { return _current.front; } static if (hasAssignableElements!R) { @property auto front(ElementType!R val) { return _current.front = val; } } enum bool empty = false; void popFront() { _current.popFront(); if (_current.empty) _current = _original; } @property Cycle save() { Cycle ret = this; ret._original = this._original.save; ret._current = this._current.save; return ret; } } } template Cycle(R) if (isInfinite!R) { alias R Cycle; } struct Cycle(R) if (isStaticArray!R) { private alias typeof(R.init[0]) ElementType; private ElementType* _ptr; private size_t _index; this(ref R input, size_t index = 0) { _ptr = input.ptr; _index = index; } @property auto ref inout(ElementType) front() inout { return _ptr[_index % R.length]; } enum bool empty = false; void popFront() { ++_index; } ref inout(ElementType) opIndex(size_t n) inout { return _ptr[(n + _index) % R.length]; } @property Cycle save() { return this; } private static struct DollarToken {} DollarToken opDollar() { return DollarToken.init; } auto opSlice(size_t i, size_t j) { version (assert) if (i > j) throw new RangeError(); auto retval = this.save; retval._index += i; return takeExactly(retval, j - i); } auto opSlice(size_t i, DollarToken) { auto retval = this.save; retval._index += i; return retval; } } /// Ditto Cycle!R cycle(R)(R input) if (isForwardRange!(Unqual!R) && !isInfinite!(Unqual!R)) { return Cycle!R(input); } /// Ditto Cycle!R cycle(R)(R input, size_t index = 0) if (isRandomAccessRange!(Unqual!R) && !isInfinite!(Unqual!R)) { return Cycle!R(input, index); } Cycle!R cycle(R)(R input) if (isInfinite!R) { return input; } Cycle!R cycle(R)(ref R input, size_t index = 0) if (isStaticArray!R) { return Cycle!R(input, index); } unittest { assert(equal(take(cycle([1, 2][]), 5), [ 1, 2, 1, 2, 1 ][])); static assert(isForwardRange!(Cycle!(uint[]))); int[3] a = [ 1, 2, 3 ]; static assert(isStaticArray!(typeof(a))); auto c = cycle(a); assert(a.ptr == c._ptr); assert(equal(take(cycle(a), 5), [ 1, 2, 3, 1, 2 ][])); static assert(isForwardRange!(typeof(c))); // Make sure ref is getting propagated properly. int[] nums = [1,2,3]; auto c2 = cycle(nums); c2[3]++; assert(nums[0] == 2); static assert(is(Cycle!(immutable int[]))); foreach(DummyType; AllDummyRanges) { static if (isForwardRange!DummyType) { DummyType dummy; auto cy = cycle(dummy); static assert(isForwardRange!(typeof(cy))); auto t = take(cy, 20); assert(equal(t, [1,2,3,4,5,6,7,8,9,10,1,2,3,4,5,6,7,8,9,10])); const cRange = cy; assert(cRange.front == 1); static if (hasAssignableElements!DummyType) { { cy.front = 66; scope(exit) cy.front = 1; assert(dummy.front == 66); } static if (isRandomAccessRange!DummyType) { { cy[10] = 66; scope(exit) cy[10] = 1; assert(dummy.front == 66); } assert(cRange[10] == 1); assertThrown!RangeError(cy[2..1]); } } static if(hasSlicing!DummyType) { auto slice = cy[5 .. 15]; assert(equal(slice, [6, 7, 8, 9, 10, 1, 2, 3, 4, 5])); static assert(is(typeof(slice) == typeof(takeExactly(cy, 5)))); auto infSlice = cy[7 .. $]; assert(equal(take(infSlice, 5), [8, 9, 10, 1, 2])); static assert(isInfinite!(typeof(infSlice))); } } } } unittest // For infinite ranges { struct InfRange { void popFront() { } @property int front() { return 0; } enum empty = false; } InfRange i; auto c = cycle(i); assert (c == i); } private template lengthType(R) { alias typeof((inout int = 0){ R r = void; return r.length; }()) lengthType; } /** Iterate several ranges in lockstep. The element type is a proxy tuple that allows accessing the current element in the $(D n)th range by using $(D e[n]). Example: ---- int[] a = [ 1, 2, 3 ]; string[] b = [ "a", "b", "c" ]; // prints 1:a 2:b 3:c foreach (e; zip(a, b)) { write(e[0], ':', e[1], ' '); } ---- $(D Zip) offers the lowest range facilities of all components, e.g. it offers random access iff all ranges offer random access, and also offers mutation and swapping if all ranges offer it. Due to this, $(D Zip) is extremely powerful because it allows manipulating several ranges in lockstep. For example, the following code sorts two arrays in parallel: ---- int[] a = [ 1, 2, 3 ]; string[] b = [ "a", "b", "c" ]; sort!("a[0] > b[0]")(zip(a, b)); assert(a == [ 3, 2, 1 ]); assert(b == [ "c", "b", "a" ]); ---- */ struct Zip(Ranges...) if (Ranges.length && allSatisfy!(isInputRange, Ranges)) { alias R = Ranges; R ranges; alias Tuple!(staticMap!(.ElementType, R)) ElementType; StoppingPolicy stoppingPolicy = StoppingPolicy.shortest; /** Builds an object. Usually this is invoked indirectly by using the $(LREF zip) function. */ this(R rs, StoppingPolicy s = StoppingPolicy.shortest) { stoppingPolicy = s; foreach (i, Unused; R) { ranges[i] = rs[i]; } } /** Returns $(D true) if the range is at end. The test depends on the stopping policy. */ static if (allSatisfy!(isInfinite, R)) { // BUG: Doesn't propagate infiniteness if only some ranges are infinite // and s == StoppingPolicy.longest. This isn't fixable in the // current design since StoppingPolicy is known only at runtime. enum bool empty = false; } else { @property bool empty() { final switch (stoppingPolicy) { case StoppingPolicy.shortest: foreach (i, Unused; R) { if (ranges[i].empty) return true; } return false; case StoppingPolicy.longest: foreach (i, Unused; R) { if (!ranges[i].empty) return false; } return true; case StoppingPolicy.requireSameLength: foreach (i, Unused; R[1 .. $]) { enforce(ranges[0].empty == ranges[i + 1].empty, "Inequal-length ranges passed to Zip"); } return ranges[0].empty; } assert(false); } } static if (allSatisfy!(isForwardRange, R)) @property Zip save() { Zip result = this; foreach (i, Unused; R) { result.ranges[i] = result.ranges[i].save; } return result; } private void emplaceIfCan(T)(T* addr) { static if(__traits(compiles, emplace(addr))) emplace(addr); else throw new Exception("Range with non-default constructable elements exhausted."); } /** Returns the current iterated element. */ @property ElementType front() { ElementType result = void; foreach (i, Unused; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; if (ranges[i].empty) { emplaceIfCan(addr); } else { emplace(addr, ranges[i].front); } } return result; } static if (allSatisfy!(hasAssignableElements, R)) { /** Sets the front of all iterated ranges. */ @property void front(ElementType v) { foreach (i, Unused; R) { if (!ranges[i].empty) { ranges[i].front = v[i]; } } } } /** Moves out the front. */ static if (allSatisfy!(hasMobileElements, R)) { ElementType moveFront() { ElementType result = void; foreach (i, Unused; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; if (!ranges[i].empty) { emplace(addr, .moveFront(ranges[i])); } else { emplaceIfCan(addr); } } return result; } } /** Returns the rightmost element. */ static if (allSatisfy!(isBidirectionalRange, R)) { @property ElementType back() { ElementType result = void; foreach (i, Unused; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; if (!ranges[i].empty) { emplace(addr, ranges[i].back); } else { emplaceIfCan(addr); } } return result; } /** Moves out the back. */ static if (allSatisfy!(hasMobileElements, R)) { ElementType moveBack() { ElementType result = void; foreach (i, Unused; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; if (!ranges[i].empty) { emplace(addr, .moveBack(ranges[i])); } else { emplaceIfCan(addr); } } return result; } } /** Returns the current iterated element. */ static if (allSatisfy!(hasAssignableElements, R)) { @property void back(ElementType v) { foreach (i, Unused; R) { if (!ranges[i].empty) { ranges[i].back = v[i]; } } } } } /** Advances to the next element in all controlled ranges. */ void popFront() { final switch (stoppingPolicy) { case StoppingPolicy.shortest: foreach (i, Unused; R) { assert(!ranges[i].empty); ranges[i].popFront(); } break; case StoppingPolicy.longest: foreach (i, Unused; R) { if (!ranges[i].empty) ranges[i].popFront(); } break; case StoppingPolicy.requireSameLength: foreach (i, Unused; R) { enforce(!ranges[i].empty, "Invalid Zip object"); ranges[i].popFront(); } break; } } static if (allSatisfy!(isBidirectionalRange, R)) /** Calls $(D popBack) for all controlled ranges. */ void popBack() { final switch (stoppingPolicy) { case StoppingPolicy.shortest: foreach (i, Unused; R) { assert(!ranges[i].empty); ranges[i].popBack(); } break; case StoppingPolicy.longest: foreach (i, Unused; R) { if (!ranges[i].empty) ranges[i].popBack(); } break; case StoppingPolicy.requireSameLength: foreach (i, Unused; R) { enforce(!ranges[i].empty, "Invalid Zip object"); ranges[i].popBack(); } break; } } /** Returns the length of this range. Defined only if all ranges define $(D length). */ static if (allSatisfy!(hasLength, R)) { @property auto length() { CommonType!(staticMap!(lengthType, R)) result = ranges[0].length; if (stoppingPolicy == StoppingPolicy.requireSameLength) return result; foreach (i, Unused; R[1 .. $]) { if (stoppingPolicy == StoppingPolicy.shortest) { result = min(ranges[i + 1].length, result); } else { assert(stoppingPolicy == StoppingPolicy.longest); result = max(ranges[i + 1].length, result); } } return result; } alias length opDollar; } /** Returns a slice of the range. Defined only if all range define slicing. */ static if (allSatisfy!(hasSlicing, R)) auto opSlice(size_t from, size_t to) { //Slicing an infinite range yields the type Take!R //For finite ranges, the type Take!R aliases to R Zip!(staticMap!(Take, R)) result = void; emplace(&result.stoppingPolicy, stoppingPolicy); foreach (i, Unused; R) { emplace(&result.ranges[i], ranges[i][from .. to]); } return result; } static if (allSatisfy!(isRandomAccessRange, R)) { /** Returns the $(D n)th element in the composite range. Defined if all ranges offer random access. */ ElementType opIndex(size_t n) { ElementType result = void; foreach (i, Range; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; emplace(addr, ranges[i][n]); } return result; } static if (allSatisfy!(hasAssignableElements, R)) { /** Assigns to the $(D n)th element in the composite range. Defined if all ranges offer random access. */ void opIndexAssign(ElementType v, size_t n) { foreach (i, Range; R) { ranges[i][n] = v[i]; } } } /** Destructively reads the $(D n)th element in the composite range. Defined if all ranges offer random access. */ static if (allSatisfy!(hasMobileElements, R)) { ElementType moveAt(size_t n) { ElementType result = void; foreach (i, Range; R) { auto addr = cast(Unqual!(typeof(result[i]))*) &result[i]; emplace(addr, .moveAt(ranges[i], n)); } return result; } } } } /// Ditto auto zip(Ranges...)(Ranges ranges) if (Ranges.length && allSatisfy!(isInputRange, Ranges)) { return Zip!Ranges(ranges); } /// Ditto auto zip(Ranges...)(StoppingPolicy sp, Ranges ranges) if (Ranges.length && allSatisfy!(isInputRange, Ranges)) { return Zip!Ranges(ranges, sp); } /** Dictates how iteration in a $(D Zip) should stop. By default stop at the end of the shortest of all ranges. */ enum StoppingPolicy { /// Stop when the shortest range is exhausted shortest, /// Stop when the longest range is exhausted longest, /// Require that all ranges are equal requireSameLength, } unittest { int[] a = [ 1, 2, 3 ]; float[] b = [ 1.0, 2.0, 3.0 ]; foreach (e; zip(a, b)) { assert(e[0] == e[1]); } swap(a[0], a[1]); auto z = zip(a, b); //swap(z.front(), z.back()); sort!("a[0] < b[0]")(zip(a, b)); assert(a == [1, 2, 3]); assert(b == [2.0, 1.0, 3.0]); z = zip(StoppingPolicy.requireSameLength, a, b); assertNotThrown((z.popBack(), z.popBack(), z.popBack())); assert(z.empty); assertThrown(z.popBack()); a = [ 1, 2, 3 ]; b = [ 1.0, 2.0, 3.0 ]; sort!("a[0] > b[0]")(zip(StoppingPolicy.requireSameLength, a, b)); assert(a == [3, 2, 1]); assert(b == [3.0, 2.0, 1.0]); a = []; b = []; assert(zip(StoppingPolicy.requireSameLength, a, b).empty); // Test infiniteness propagation. static assert(isInfinite!(typeof(zip(repeat(1), repeat(1))))); // Test stopping policies with both value and reference. auto a1 = [1, 2]; auto a2 = [1, 2, 3]; auto stuff = tuple(tuple(a1, a2), tuple(filter!"a"(a1), filter!"a"(a2))); alias Zip!(immutable(int)[], immutable(float)[]) FOO; foreach(t; stuff.expand) { auto arr1 = t[0]; auto arr2 = t[1]; auto zShortest = zip(arr1, arr2); assert(equal(map!"a[0]"(zShortest), [1, 2])); assert(equal(map!"a[1]"(zShortest), [1, 2])); try { auto zSame = zip(StoppingPolicy.requireSameLength, arr1, arr2); foreach(elem; zSame) {} assert(0); } catch { /* It's supposed to throw.*/ } auto zLongest = zip(StoppingPolicy.longest, arr1, arr2); assert(!zLongest.ranges[0].empty); assert(!zLongest.ranges[1].empty); zLongest.popFront(); zLongest.popFront(); assert(!zLongest.empty); assert(zLongest.ranges[0].empty); assert(!zLongest.ranges[1].empty); zLongest.popFront(); assert(zLongest.empty); } // BUG 8900 static assert(__traits(compiles, zip([1, 2], repeat('a')))); static assert(__traits(compiles, zip(repeat('a'), [1, 2]))); // Doesn't work yet. Issues w/ emplace. // static assert(is(Zip!(immutable int[], immutable float[]))); // These unittests pass, but make the compiler consume an absurd amount // of RAM and time. Therefore, they should only be run if explicitly // uncommented when making changes to Zip. Also, running them using // make -fwin32.mak unittest makes the compiler completely run out of RAM. // You need to test just this module. /+ foreach(DummyType1; AllDummyRanges) { DummyType1 d1; foreach(DummyType2; AllDummyRanges) { DummyType2 d2; auto r = zip(d1, d2); assert(equal(map!"a[0]"(r), [1,2,3,4,5,6,7,8,9,10])); assert(equal(map!"a[1]"(r), [1,2,3,4,5,6,7,8,9,10])); static if (isForwardRange!DummyType1 && isForwardRange!DummyType2) { static assert(isForwardRange!(typeof(r))); } static if (isBidirectionalRange!DummyType1 && isBidirectionalRange!DummyType2) { static assert(isBidirectionalRange!(typeof(r))); } static if (isRandomAccessRange!DummyType1 && isRandomAccessRange!DummyType2) { static assert(isRandomAccessRange!(typeof(r))); } } } +/ } unittest { auto a = [5,4,3,2,1]; auto b = [3,1,2,5,6]; auto z = zip(a, b); sort!"a[0] < b[0]"(z); assert(a == [1, 2, 3, 4, 5]); assert(b == [6, 5, 2, 1, 3]); } unittest { auto LL = iota(1L, 1000L); auto z = zip(LL, [4]); assert(equal(z, [tuple(1L,4)])); auto LL2 = iota(0L, 500L); auto z2 = zip([7], LL2); assert(equal(z2, [tuple(7, 0L)])); } // Text for Issue 11196 unittest { static struct S { @disable this(); } static assert(__traits(compiles, zip((S[5]).init[]))); auto z = zip(StoppingPolicy.longest, cast(S[]) null, new int[1]); assertThrown(zip(StoppingPolicy.longest, cast(S[]) null, new int[1]).front); } /* Generate lockstep's opApply function as a mixin string. If withIndex is true prepend a size_t index to the delegate. */ private string lockstepMixin(Ranges...)(bool withIndex) { string[] params; string[] emptyChecks; string[] dgArgs; string[] popFronts; if (withIndex) { params ~= "size_t"; dgArgs ~= "index"; } foreach (idx, Range; Ranges) { params ~= format("%sElementType!(Ranges[%s])", hasLvalueElements!Range ? "ref " : "", idx); emptyChecks ~= format("!ranges[%s].empty", idx); dgArgs ~= format("ranges[%s].front", idx); popFronts ~= format("ranges[%s].popFront();", idx); } return format( q{ int opApply(scope int delegate(%s) dg) { auto ranges = _ranges; int res; %s while (%s) { res = dg(%s); if (res) break; %s %s } if (_stoppingPolicy == StoppingPolicy.requireSameLength) { foreach(range; ranges) enforce(range.empty); } return res; } }, params.join(", "), withIndex ? "size_t index = 0;" : "", emptyChecks.join(" && "), dgArgs.join(", "), popFronts.join("\n "), withIndex ? "index++;" : "").outdent(); } /** Iterate multiple ranges in lockstep using a $(D foreach) loop. If only a single range is passed in, the $(D Lockstep) aliases itself away. If the ranges are of different lengths and $(D s) == $(D StoppingPolicy.shortest) stop after the shortest range is empty. If the ranges are of different lengths and $(D s) == $(D StoppingPolicy.requireSameLength), throw an exception. $(D s) may not be $(D StoppingPolicy.longest), and passing this will throw an exception. By default $(D StoppingPolicy) is set to $(D StoppingPolicy.shortest). BUGS: If a range does not offer lvalue access, but $(D ref) is used in the $(D foreach) loop, it will be silently accepted but any modifications to the variable will not be propagated to the underlying range. Examples: --- auto arr1 = [1,2,3,4,5]; auto arr2 = [6,7,8,9,10]; foreach(ref a, ref b; lockstep(arr1, arr2)) { a += b; } assert(arr1 == [7,9,11,13,15]); // Lockstep also supports iterating with an index variable: foreach(index, a, b; lockstep(arr1, arr2)) { writefln("Index %s: a = %s, b = %s", index, a, b); } --- */ struct Lockstep(Ranges...) if (Ranges.length > 1 && allSatisfy!(isInputRange, Ranges)) { this(R ranges, StoppingPolicy sp = StoppingPolicy.shortest) { _ranges = ranges; enforce(sp != StoppingPolicy.longest, "Can't use StoppingPolicy.Longest on Lockstep."); _stoppingPolicy = sp; } mixin(lockstepMixin!Ranges(false)); mixin(lockstepMixin!Ranges(true)); private: alias R = Ranges; R _ranges; StoppingPolicy _stoppingPolicy; } // For generic programming, make sure Lockstep!(Range) is well defined for a // single range. template Lockstep(Range) { alias Range Lockstep; } /// Ditto Lockstep!(Ranges) lockstep(Ranges...)(Ranges ranges) if (allSatisfy!(isInputRange, Ranges)) { return Lockstep!(Ranges)(ranges); } /// Ditto Lockstep!(Ranges) lockstep(Ranges...)(Ranges ranges, StoppingPolicy s) if (allSatisfy!(isInputRange, Ranges)) { static if (Ranges.length > 1) return Lockstep!Ranges(ranges, s); else return ranges[0]; } unittest { // The filters are to make these the lowest common forward denominator ranges, // i.e. w/o ref return, random access, length, etc. auto foo = filter!"a"([1,2,3,4,5]); immutable bar = [6f,7f,8f,9f,10f].idup; auto l = lockstep(foo, bar); // Should work twice. These are forward ranges with implicit save. foreach(i; 0..2) { uint[] res1; float[] res2; foreach(a, ref b; l) { res1 ~= a; res2 ~= b; } assert(res1 == [1,2,3,4,5]); assert(res2 == [6,7,8,9,10]); assert(bar == [6f,7f,8f,9f,10f]); } // Doc example. auto arr1 = [1,2,3,4,5]; auto arr2 = [6,7,8,9,10]; foreach(ref a, ref b; lockstep(arr1, arr2)) { a += b; } assert(arr1 == [7,9,11,13,15]); // Make sure StoppingPolicy.requireSameLength doesn't throw. auto ls = lockstep(arr1, arr2, StoppingPolicy.requireSameLength); foreach(a, b; ls) {} // Make sure StoppingPolicy.requireSameLength throws. arr2.popBack(); ls = lockstep(arr1, arr2, StoppingPolicy.requireSameLength); try { foreach(a, b; ls) {} assert(0); } catch {} // Just make sure 1-range case instantiates. This hangs the compiler // when no explicit stopping policy is specified due to Bug 4652. auto stuff = lockstep([1,2,3,4,5], StoppingPolicy.shortest); // Test with indexing. uint[] res1; float[] res2; size_t[] indices; foreach(i, a, b; lockstep(foo, bar)) { indices ~= i; res1 ~= a; res2 ~= b; } assert(indices == to!(size_t[])([0, 1, 2, 3, 4])); assert(res1 == [1,2,3,4,5]); assert(res2 == [6f,7f,8f,9f,10f]); // Make sure we've worked around the relevant compiler bugs and this at least // compiles w/ >2 ranges. lockstep(foo, foo, foo); // Make sure it works with const. const(int[])[] foo2 = [[1, 2, 3]]; const(int[])[] bar2 = [[4, 5, 6]]; auto c = chain(foo2, bar2); foreach(f, b; lockstep(c, c)) {} // Regression 10468 foreach (x, y; lockstep(iota(0, 10), iota(0, 10))) { } } /** Creates a mathematical sequence given the initial values and a recurrence function that computes the next value from the existing values. The sequence comes in the form of an infinite forward range. The type $(D Recurrence) itself is seldom used directly; most often, recurrences are obtained by calling the function $(D recurrence). When calling $(D recurrence), the function that computes the next value is specified as a template argument, and the initial values in the recurrence are passed as regular arguments. For example, in a Fibonacci sequence, there are two initial values (and therefore a state size of 2) because computing the next Fibonacci value needs the past two values. If the function is passed in string form, the state has name $(D "a") and the zero-based index in the recurrence has name $(D "n"). The given string must return the desired value for $(D a[n]) given $(D a[n - 1]), $(D a[n - 2]), $(D a[n - 3]),..., $(D a[n - stateSize]). The state size is dictated by the number of arguments passed to the call to $(D recurrence). The $(D Recurrence) struct itself takes care of managing the recurrence's state and shifting it appropriately. Example: ---- // a[0] = 1, a[1] = 1, and compute a[n+1] = a[n-1] + a[n] auto fib = recurrence!("a[n-1] + a[n-2]")(1, 1); // print the first 10 Fibonacci numbers foreach (e; take(fib, 10)) { writeln(e); } // print the first 10 factorials foreach (e; take(recurrence!("a[n-1] * n")(1), 10)) { writeln(e); } ---- */ struct Recurrence(alias fun, StateType, size_t stateSize) { StateType[stateSize] _state; size_t _n; this(StateType[stateSize] initial) { _state = initial; } void popFront() { // The cast here is reasonable because fun may cause integer // promotion, but needs to return a StateType to make its operation // closed. Therefore, we have no other choice. _state[_n % stateSize] = cast(StateType) binaryFun!(fun, "a", "n")( cycle(_state), _n + stateSize); ++_n; } @property StateType front() { return _state[_n % stateSize]; } @property typeof(this) save() { return this; } enum bool empty = false; } /// Ditto Recurrence!(fun, CommonType!(State), State.length) recurrence(alias fun, State...)(State initial) { CommonType!(State)[State.length] state; foreach (i, Unused; State) { state[i] = initial[i]; } return typeof(return)(state); } unittest { auto fib = recurrence!("a[n-1] + a[n-2]")(1, 1); static assert(isForwardRange!(typeof(fib))); int[] witness = [1, 1, 2, 3, 5, 8, 13, 21, 34, 55 ]; assert(equal(take(fib, 10), witness)); foreach (e; take(fib, 10)) {} auto fact = recurrence!("n * a[n-1]")(1); assert( equal(take(fact, 10), [1, 1, 2, 2*3, 2*3*4, 2*3*4*5, 2*3*4*5*6, 2*3*4*5*6*7, 2*3*4*5*6*7*8, 2*3*4*5*6*7*8*9][]) ); auto piapprox = recurrence!("a[n] + (n & 1 ? 4.0 : -4.0) / (2 * n + 3)")(4.0); foreach (e; take(piapprox, 20)) {} // Thanks to yebblies for this test and the associated fix auto r = recurrence!"a[n-2]"(1, 2); witness = [1, 2, 1, 2, 1]; assert(equal(take(r, 5), witness)); } /** $(D Sequence) is similar to $(D Recurrence) except that iteration is presented in the so-called $(WEB en.wikipedia.org/wiki/Closed_form, closed form). This means that the $(D n)th element in the series is computable directly from the initial values and $(D n) itself. This implies that the interface offered by $(D Sequence) is a random-access range, as opposed to the regular $(D Recurrence), which only offers forward iteration. The state of the sequence is stored as a $(D Tuple) so it can be heterogeneous. Example: ---- // a[0] = 1, a[1] = 2, a[n] = a[0] + n * a[1] auto odds = sequence!("a[0] + n * a[1]")(1, 2); ---- */ struct Sequence(alias fun, State) { private: alias binaryFun!(fun, "a", "n") compute; alias typeof(compute(State.init, cast(size_t) 1)) ElementType; State _state; size_t _n; ElementType _cache; static struct DollarToken{} public: this(State initial, size_t n = 0) { _state = initial; _n = n; _cache = compute(_state, _n); } @property ElementType front() { return _cache; } ElementType moveFront() { return move(this._cache); } void popFront() { _cache = compute(_state, ++_n); } enum opDollar = DollarToken(); auto opSlice(size_t lower, size_t upper) in { assert(upper >= lower); } body { return typeof(this)(_state, _n + lower).take(upper - lower); } auto opSlice(size_t lower, DollarToken) { return typeof(this)(_state, _n + lower); } ElementType opIndex(size_t n) { return compute(_state, n + _n); } enum bool empty = false; @property Sequence save() { return this; } } /// Ditto Sequence!(fun, Tuple!(State)) sequence(alias fun, State...)(State args) { return typeof(return)(tuple(args)); } unittest { auto y = Sequence!("a[0] + n * a[1]", Tuple!(int, int)) (tuple(0, 4)); static assert(isForwardRange!(typeof(y))); //@@BUG //auto y = sequence!("a[0] + n * a[1]")(0, 4); //foreach (e; take(y, 15)) {} //writeln(e); auto odds = Sequence!("a[0] + n * a[1]", Tuple!(int, int))( tuple(1, 2)); for(int currentOdd = 1; currentOdd <= 21; currentOdd += 2) { assert(odds.front == odds[0]); assert(odds[0] == currentOdd); odds.popFront(); } } unittest { // documentation example auto odds = sequence!("a[0] + n * a[1]")(1, 2); assert(odds.front == 1); odds.popFront(); assert(odds.front == 3); odds.popFront(); assert(odds.front == 5); } unittest { auto odds = sequence!("a[0] + n * a[1]")(1, 2); static assert(hasSlicing!(typeof(odds))); //Note: don't use drop or take as the target of an equal, //since they'll both just forward to opSlice, making the tests irrelevant // static slicing tests assert(equal(odds[0 .. 5], [1, 3, 5, 7, 9])); assert(equal(odds[3 .. 7], [7, 9, 11, 13])); // relative slicing test, testing slicing is NOT agnostic of state auto odds_less5 = odds.drop(5); //this should actually call odds[5 .. $] assert(equal(odds_less5[0 .. 3], [11, 13, 15])); assert(equal(odds_less5[0 .. 10], odds[5 .. 15])); //Infinite slicing tests odds = odds[10 .. $]; assert(equal(odds.take(3), [21, 23, 25])); } /** Returns a range that goes through the numbers $(D begin), $(D begin + step), $(D begin + 2 * step), $(D ...), up to and excluding $(D end). The range offered is a random access range. The two-arguments version has $(D step = 1). If $(D begin < end && step < 0) or $(D begin > end && step > 0) or $(D begin == end), then an empty range is returned. Throws: $(D Exception) if $(D begin != end && step == 0), an exception is thrown. Example: ---- auto r = iota(0, 10, 1); assert(equal(r, [0, 1, 2, 3, 4, 5, 6, 7, 8, 9][])); r = iota(0, 11, 3); assert(equal(r, [0, 3, 6, 9][])); assert(r[2] == 6); auto rf = iota(0.0, 0.5, 0.1); assert(approxEqual(rf, [0.0, 0.1, 0.2, 0.3, 0.4])); ---- */ auto iota(B, E, S)(B begin, E end, S step) if ((isIntegral!(CommonType!(B, E)) || isPointer!(CommonType!(B, E))) && isIntegral!S) { alias CommonType!(Unqual!B, Unqual!E) Value; alias Unqual!S StepType; alias typeof(unsigned((end - begin) / step)) IndexType; static struct Result { private Value current, pastLast; private StepType step; this(Value current, Value pastLast, StepType step) { if ((current < pastLast && step >= 0) || (current > pastLast && step <= 0)) { enforce(step != 0); this.step = step; this.current = current; if (step > 0) { this.pastLast = pastLast - 1; this.pastLast -= (this.pastLast - current) % step; } else { this.pastLast = pastLast + 1; this.pastLast += (current - this.pastLast) % -step; } this.pastLast += step; } else { // Initialize an empty range this.current = this.pastLast = current; this.step = 1; } } @property bool empty() const { return current == pastLast; } @property inout(Value) front() inout { assert(!empty); return current; } void popFront() { assert(!empty); current += step; } @property inout(Value) back() inout { assert(!empty); return pastLast - step; } void popBack() { assert(!empty); pastLast -= step; } @property auto save() { return this; } inout(Value) opIndex(ulong n) inout { assert(n < this.length); // Just cast to Value here because doing so gives overflow behavior // consistent with calling popFront() n times. return cast(inout Value) (current + step * n); } inout(Result) opSlice() inout { return this; } inout(Result) opSlice(ulong lower, ulong upper) inout { assert(upper >= lower && upper <= this.length); return cast(inout Result)Result(cast(Value)(current + lower * step), cast(Value)(pastLast - (length - upper) * step), step); } @property IndexType length() const { if (step > 0) { return unsigned((pastLast - current) / step); } else { return unsigned((current - pastLast) / -step); } } alias length opDollar; } return Result(begin, end, step); } /// Ditto auto iota(B, E)(B begin, E end) if (isFloatingPoint!(CommonType!(B, E))) { return iota(begin, end, 1.0); } /// Ditto auto iota(B, E)(B begin, E end) if (isIntegral!(CommonType!(B, E)) || isPointer!(CommonType!(B, E))) { alias CommonType!(Unqual!B, Unqual!E) Value; alias typeof(unsigned(end - begin)) IndexType; static struct Result { private Value current, pastLast; this(Value current, Value pastLast) { if (current < pastLast) { this.current = current; this.pastLast = pastLast; } else { // Initialize an empty range this.current = this.pastLast = current; } } @property bool empty() const { return current == pastLast; } @property inout(Value) front() inout { assert(!empty); return current; } void popFront() { assert(!empty); ++current; } @property inout(Value) back() inout { assert(!empty); return cast(inout(Value))(pastLast - 1); } void popBack() { assert(!empty); --pastLast; } @property auto save() { return this; } inout(Value) opIndex(ulong n) inout { assert(n < this.length); // Just cast to Value here because doing so gives overflow behavior // consistent with calling popFront() n times. return cast(inout Value) (current + n); } inout(Result) opSlice() inout { return this; } inout(Result) opSlice(ulong lower, ulong upper) inout { assert(upper >= lower && upper <= this.length); return cast(inout Result)Result(cast(Value)(current + lower), cast(Value)(pastLast - (length - upper))); } @property IndexType length() const { return unsigned(pastLast - current); } alias length opDollar; } return Result(begin, end); } /// Ditto auto iota(E)(E end) { E begin = 0; return iota(begin, end); } // Specialization for floating-point types auto iota(B, E, S)(B begin, E end, S step) if (isFloatingPoint!(CommonType!(B, E, S))) { alias Unqual!(CommonType!(B, E, S)) Value; static struct Result { private Value start, step; private size_t index, count; this(Value start, Value end, Value step) { this.start = start; this.step = step; enforce(step != 0); immutable fcount = (end - start) / step; enforce(fcount >= 0, "iota: incorrect startup parameters"); count = to!size_t(fcount); auto pastEnd = start + count * step; if (step > 0) { if (pastEnd < end) ++count; assert(start + count * step >= end); } else { if (pastEnd > end) ++count; assert(start + count * step <= end); } } @property bool empty() const { return index == count; } @property Value front() const { assert(!empty); return start + step * index; } void popFront() { assert(!empty); ++index; } @property Value back() const { assert(!empty); return start + step * (count - 1); } void popBack() { assert(!empty); --count; } @property auto save() { return this; } Value opIndex(size_t n) const { assert(n < count); return start + step * (n + index); } inout(Result) opSlice() inout { return this; } inout(Result) opSlice(size_t lower, size_t upper) inout { assert(upper >= lower && upper <= count); Result ret = this; ret.index += lower; ret.count = upper - lower + ret.index; return cast(inout Result)ret; } @property size_t length() const { return count - index; } alias length opDollar; } return Result(begin, end, step); } unittest { static assert(hasLength!(typeof(iota(0, 2)))); auto r = iota(0, 10, 1); assert(r[$ - 1] == 9); assert(equal(r, [0, 1, 2, 3, 4, 5, 6, 7, 8, 9][])); auto rSlice = r[2..8]; assert(equal(rSlice, [2, 3, 4, 5, 6, 7])); rSlice.popFront(); assert(rSlice[0] == rSlice.front); assert(rSlice.front == 3); rSlice.popBack(); assert(rSlice[rSlice.length - 1] == rSlice.back); assert(rSlice.back == 6); rSlice = r[0..4]; assert(equal(rSlice, [0, 1, 2, 3])); auto rr = iota(10); assert(equal(rr, [0, 1, 2, 3, 4, 5, 6, 7, 8, 9][])); r = iota(0, -10, -1); assert(equal(r, [0, -1, -2, -3, -4, -5, -6, -7, -8, -9][])); rSlice = r[3..9]; assert(equal(rSlice, [-3, -4, -5, -6, -7, -8])); r = iota(0, -6, -3); assert(equal(r, [0, -3][])); rSlice = r[1..2]; assert(equal(rSlice, [-3])); r = iota(0, -7, -3); assert(equal(r, [0, -3, -6][])); rSlice = r[1..3]; assert(equal(rSlice, [-3, -6])); r = iota(0, 11, 3); assert(equal(r, [0, 3, 6, 9][])); assert(r[2] == 6); rSlice = r[1..3]; assert(equal(rSlice, [3, 6])); int[] a = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]; auto r1 = iota(a.ptr, a.ptr + a.length, 1); assert(r1.front == a.ptr); assert(r1.back == a.ptr + a.length - 1); auto rf = iota(0.0, 0.5, 0.1); assert(approxEqual(rf, [0.0, 0.1, 0.2, 0.3, 0.4][])); assert(rf.length == 5); rf.popFront(); assert(rf.length == 4); auto rfSlice = rf[1..4]; assert(rfSlice.length == 3); assert(approxEqual(rfSlice, [0.2, 0.3, 0.4])); rfSlice.popFront(); assert(approxEqual(rfSlice[0], 0.3)); rf.popFront(); assert(rf.length == 3); rfSlice = rf[1..3]; assert(rfSlice.length == 2); assert(approxEqual(rfSlice, [0.3, 0.4])); assert(approxEqual(rfSlice[0], 0.3)); // With something just above 0.5 rf = iota(0.0, nextUp(0.5), 0.1); assert(approxEqual(rf, [0.0, 0.1, 0.2, 0.3, 0.4, 0.5][])); rf.popBack(); assert(rf[rf.length - 1] == rf.back); assert(approxEqual(rf.back, 0.4)); assert(rf.length == 5); // going down rf = iota(0.0, -0.5, -0.1); assert(approxEqual(rf, [0.0, -0.1, -0.2, -0.3, -0.4][])); rfSlice = rf[2..5]; assert(approxEqual(rfSlice, [-0.2, -0.3, -0.4])); rf = iota(0.0, nextDown(-0.5), -0.1); assert(approxEqual(rf, [0.0, -0.1, -0.2, -0.3, -0.4, -0.5][])); // iota of longs auto rl = iota(5_000_000L); assert(rl.length == 5_000_000L); // iota of longs with steps auto iota_of_longs_with_steps = iota(50L, 101L, 10); assert(iota_of_longs_with_steps.length == 6); assert(equal(iota_of_longs_with_steps, [50L, 60L, 70L, 80L, 90L, 100L])); // iota of unsigned zero length (issue 6222, actually trying to consume it // is the only way to find something is wrong because the public // properties are all correct) auto iota_zero_unsigned = iota(0, 0u, 3); assert(count(iota_zero_unsigned) == 0); // unsigned reverse iota can be buggy if .length doesn't take them into // account (issue 7982). assert(iota(10u, 0u, -1).length == 10); assert(iota(10u, 0u, -2).length == 5); assert(iota(uint.max, uint.max-10, -1).length == 10); assert(iota(uint.max, uint.max-10, -2).length == 5); assert(iota(uint.max, 0u, -1).length == uint.max); // Issue 8920 foreach (Type; TypeTuple!(byte, ubyte, short, ushort, int, uint, long, ulong)) { Type val; foreach (i; iota(cast(Type)0, cast(Type)10)) { val++; } assert(val == 10); } } unittest { auto idx = new size_t[100]; copy(iota(0, idx.length), idx); } unittest { foreach(range; TypeTuple!(iota(2, 27, 4), iota(3, 9), iota(2.7, 12.3, .1), iota(3.2, 9.7))) { const cRange = range; const e = cRange.empty; const f = cRange.front; const b = cRange.back; const i = cRange[2]; const s1 = cRange[]; const s2 = cRange[0 .. 3]; const l = cRange.length; } //The ptr stuff can't be done at compile time, so we unfortunately end //up with some code duplication here. auto arr = [0, 5, 3, 5, 5, 7, 9, 2, 0, 42, 7, 6]; { const cRange = iota(arr.ptr, arr.ptr + arr.length, 3); const e = cRange.empty; const f = cRange.front; const b = cRange.back; const i = cRange[2]; const s1 = cRange[]; const s2 = cRange[0 .. 3]; const l = cRange.length; } { const cRange = iota(arr.ptr, arr.ptr + arr.length); const e = cRange.empty; const f = cRange.front; const b = cRange.back; const i = cRange[2]; const s1 = cRange[]; const s2 = cRange[0 .. 3]; const l = cRange.length; } } /** Options for the $(LREF FrontTransversal) and $(LREF Transversal) ranges (below). */ enum TransverseOptions { /** When transversed, the elements of a range of ranges are assumed to have different lengths (e.g. a jagged array). */ assumeJagged, //default /** The transversal enforces that the elements of a range of ranges have all the same length (e.g. an array of arrays, all having the same length). Checking is done once upon construction of the transversal range. */ enforceNotJagged, /** The transversal assumes, without verifying, that the elements of a range of ranges have all the same length. This option is useful if checking was already done from the outside of the range. */ assumeNotJagged, } /** Given a range of ranges, iterate transversally through the first elements of each of the enclosed ranges. Example: ---- int[][] x = new int[][2]; x[0] = [1, 2]; x[1] = [3, 4]; auto ror = frontTransversal(x); assert(equal(ror, [ 1, 3 ][])); --- */ struct FrontTransversal(Ror, TransverseOptions opt = TransverseOptions.assumeJagged) { alias Unqual!(Ror) RangeOfRanges; alias .ElementType!RangeOfRanges RangeType; alias .ElementType!RangeType ElementType; private void prime() { static if (opt == TransverseOptions.assumeJagged) { while (!_input.empty && _input.front.empty) { _input.popFront(); } static if (isBidirectionalRange!RangeOfRanges) { while (!_input.empty && _input.back.empty) { _input.popBack(); } } } } /** Construction from an input. */ this(RangeOfRanges input) { _input = input; prime(); static if (opt == TransverseOptions.enforceNotJagged) // (isRandomAccessRange!RangeOfRanges // && hasLength!RangeType) { if (empty) return; immutable commonLength = _input.front.length; foreach (e; _input) { enforce(e.length == commonLength); } } } /** Forward range primitives. */ static if (isInfinite!RangeOfRanges) { enum bool empty = false; } else { @property bool empty() { return _input.empty; } } /// Ditto @property auto ref front() { assert(!empty); return _input.front.front; } /// Ditto static if (hasMobileElements!RangeType) { ElementType moveFront() { return .moveFront(_input.front); } } static if (hasAssignableElements!RangeType) { @property auto front(ElementType val) { _input.front.front = val; } } /// Ditto void popFront() { assert(!empty); _input.popFront(); prime(); } /** Duplicates this $(D frontTransversal). Note that only the encapsulating range of range will be duplicated. Underlying ranges will not be duplicated. */ static if (isForwardRange!RangeOfRanges) { @property FrontTransversal save() { return FrontTransversal(_input.save); } } static if (isBidirectionalRange!RangeOfRanges) { /** Bidirectional primitives. They are offered if $(D isBidirectionalRange!RangeOfRanges). */ @property auto ref back() { assert(!empty); return _input.back.front; } /// Ditto void popBack() { assert(!empty); _input.popBack(); prime(); } /// Ditto static if (hasMobileElements!RangeType) { ElementType moveBack() { return .moveFront(_input.back); } } static if (hasAssignableElements!RangeType) { @property auto back(ElementType val) { _input.back.front = val; } } } static if (isRandomAccessRange!RangeOfRanges && (opt == TransverseOptions.assumeNotJagged || opt == TransverseOptions.enforceNotJagged)) { /** Random-access primitive. It is offered if $(D isRandomAccessRange!RangeOfRanges && (opt == TransverseOptions.assumeNotJagged || opt == TransverseOptions.enforceNotJagged)). */ auto ref opIndex(size_t n) { return _input[n].front; } /// Ditto static if (hasMobileElements!RangeType) { ElementType moveAt(size_t n) { return .moveFront(_input[n]); } } /// Ditto static if (hasAssignableElements!RangeType) { void opIndexAssign(ElementType val, size_t n) { _input[n].front = val; } } /** Slicing if offered if $(D RangeOfRanges) supports slicing and all the conditions for supporting indexing are met. */ static if (hasSlicing!RangeOfRanges) { typeof(this) opSlice(size_t lower, size_t upper) { return typeof(this)(_input[lower..upper]); } } } auto opSlice() { return this; } private: RangeOfRanges _input; } /// Ditto FrontTransversal!(RangeOfRanges, opt) frontTransversal( TransverseOptions opt = TransverseOptions.assumeJagged, RangeOfRanges) (RangeOfRanges rr) { return typeof(return)(rr); } unittest { static assert(is(FrontTransversal!(immutable int[][]))); foreach(DummyType; AllDummyRanges) { auto dummies = [DummyType.init, DummyType.init, DummyType.init, DummyType.init]; foreach(i, ref elem; dummies) { // Just violate the DummyRange abstraction to get what I want. elem.arr = elem.arr[i..$ - (3 - i)]; } auto ft = frontTransversal!(TransverseOptions.assumeNotJagged)(dummies); static if (isForwardRange!DummyType) { static assert(isForwardRange!(typeof(ft))); } assert(equal(ft, [1, 2, 3, 4])); // Test slicing. assert(equal(ft[0..2], [1, 2])); assert(equal(ft[1..3], [2, 3])); assert(ft.front == ft.moveFront()); assert(ft.back == ft.moveBack()); assert(ft.moveAt(1) == ft[1]); // Test infiniteness propagation. static assert(isInfinite!(typeof(frontTransversal(repeat("foo"))))); static if (DummyType.r == ReturnBy.Reference) { { ft.front++; scope(exit) ft.front--; assert(dummies.front.front == 2); } { ft.front = 5; scope(exit) ft.front = 1; assert(dummies[0].front == 5); } { ft.back = 88; scope(exit) ft.back = 4; assert(dummies.back.front == 88); } { ft[1] = 99; scope(exit) ft[1] = 2; assert(dummies[1].front == 99); } } } } /** Given a range of ranges, iterate transversally through the the $(D n)th element of each of the enclosed ranges. All elements of the enclosing range must offer random access. Example: ---- int[][] x = new int[][2]; x[0] = [1, 2]; x[1] = [3, 4]; auto ror = transversal(x, 1); assert(equal(ror, [ 2, 4 ][])); --- */ struct Transversal(Ror, TransverseOptions opt = TransverseOptions.assumeJagged) { private alias Unqual!Ror RangeOfRanges; private alias ElementType!RangeOfRanges InnerRange; private alias ElementType!InnerRange E; private void prime() { static if (opt == TransverseOptions.assumeJagged) { while (!_input.empty && _input.front.length <= _n) { _input.popFront(); } static if (isBidirectionalRange!RangeOfRanges) { while (!_input.empty && _input.back.length <= _n) { _input.popBack(); } } } } /** Construction from an input and an index. */ this(RangeOfRanges input, size_t n) { _input = input; _n = n; prime(); static if (opt == TransverseOptions.enforceNotJagged) { if (empty) return; immutable commonLength = _input.front.length; foreach (e; _input) { enforce(e.length == commonLength); } } } /** Forward range primitives. */ static if (isInfinite!(RangeOfRanges)) { enum bool empty = false; } else { @property bool empty() { return _input.empty; } } /// Ditto @property auto ref front() { assert(!empty); return _input.front[_n]; } /// Ditto static if (hasMobileElements!InnerRange) { E moveFront() { return .moveAt(_input.front, _n); } } /// Ditto static if (hasAssignableElements!InnerRange) { @property auto front(E val) { _input.front[_n] = val; } } /// Ditto void popFront() { assert(!empty); _input.popFront(); prime(); } /// Ditto static if (isForwardRange!RangeOfRanges) { @property typeof(this) save() { auto ret = this; ret._input = _input.save; return ret; } } static if (isBidirectionalRange!RangeOfRanges) { /** Bidirectional primitives. They are offered if $(D isBidirectionalRange!RangeOfRanges). */ @property auto ref back() { return _input.back[_n]; } /// Ditto void popBack() { assert(!empty); _input.popBack(); prime(); } /// Ditto static if (hasMobileElements!InnerRange) { E moveBack() { return .moveAt(_input.back, _n); } } /// Ditto static if (hasAssignableElements!InnerRange) { @property auto back(E val) { _input.back[_n] = val; } } } static if (isRandomAccessRange!RangeOfRanges && (opt == TransverseOptions.assumeNotJagged || opt == TransverseOptions.enforceNotJagged)) { /** Random-access primitive. It is offered if $(D isRandomAccessRange!RangeOfRanges && (opt == TransverseOptions.assumeNotJagged || opt == TransverseOptions.enforceNotJagged)). */ auto ref opIndex(size_t n) { return _input[n][_n]; } /// Ditto static if (hasMobileElements!InnerRange) { E moveAt(size_t n) { return .moveAt(_input[n], _n); } } /// Ditto static if (hasAssignableElements!InnerRange) { void opIndexAssign(E val, size_t n) { _input[n][_n] = val; } } /// Ditto static if(hasLength!RangeOfRanges) { @property size_t length() { return _input.length; } alias length opDollar; } /** Slicing if offered if $(D RangeOfRanges) supports slicing and all the conditions for supporting indexing are met. */ static if (hasSlicing!RangeOfRanges) { typeof(this) opSlice(size_t lower, size_t upper) { return typeof(this)(_input[lower..upper], _n); } } } auto opSlice() { return this; } private: RangeOfRanges _input; size_t _n; } /// Ditto Transversal!(RangeOfRanges, opt) transversal (TransverseOptions opt = TransverseOptions.assumeJagged, RangeOfRanges) (RangeOfRanges rr, size_t n) { return typeof(return)(rr, n); } unittest { int[][] x = new int[][2]; x[0] = [ 1, 2 ]; x[1] = [3, 4]; auto ror = transversal!(TransverseOptions.assumeNotJagged)(x, 1); auto witness = [ 2, 4 ]; uint i; foreach (e; ror) assert(e == witness[i++]); assert(i == 2); assert(ror.length == 2); static assert(is(Transversal!(immutable int[][]))); // Make sure ref, assign is being propagated. { ror.front++; scope(exit) ror.front--; assert(x[0][1] == 3); } { ror.front = 5; scope(exit) ror.front = 2; assert(x[0][1] == 5); assert(ror.moveFront() == 5); } { ror.back = 999; scope(exit) ror.back = 4; assert(x[1][1] == 999); assert(ror.moveBack() == 999); } { ror[0] = 999; scope(exit) ror[0] = 2; assert(x[0][1] == 999); assert(ror.moveAt(0) == 999); } // Test w/o ref return. alias DummyRange!(ReturnBy.Value, Length.Yes, RangeType.Random) D; auto drs = [D.init, D.init]; foreach(num; 0..10) { auto t = transversal!(TransverseOptions.enforceNotJagged)(drs, num); assert(t[0] == t[1]); assert(t[1] == num + 1); } static assert(isInfinite!(typeof(transversal(repeat([1,2,3]), 1)))); // Test slicing. auto mat = [[1, 2, 3, 4], [5, 6, 7, 8], [9, 10, 11, 12], [13, 14, 15, 16]]; auto mat1 = transversal!(TransverseOptions.assumeNotJagged)(mat, 1)[1..3]; assert(mat1[0] == 6); assert(mat1[1] == 10); } struct Transposed(RangeOfRanges) { //alias typeof(map!"a.front"(RangeOfRanges.init)) ElementType; this(RangeOfRanges input) { this._input = input; } @property auto front() { return map!"a.front"(_input); } void popFront() { foreach (ref e; _input) { if (e.empty) continue; e.popFront(); } } // ElementType opIndex(size_t n) // { // return _input[n].front; // } @property bool empty() { foreach (e; _input) if (!e.empty) return false; return true; } @property Transposed save() { return Transposed(_input.save); } auto opSlice() { return this; } private: RangeOfRanges _input; } auto transposed(RangeOfRanges)(RangeOfRanges rr) { return Transposed!RangeOfRanges(rr); } unittest { int[][] x = new int[][2]; x[0] = [1, 2]; x[1] = [3, 4]; auto tr = transposed(x); int[][] witness = [ [ 1, 3 ], [ 2, 4 ] ]; uint i; foreach (e; tr) { assert(array(e) == witness[i++]); } } /** This struct takes two ranges, $(D source) and $(D indices), and creates a view of $(D source) as if its elements were reordered according to $(D indices). $(D indices) may include only a subset of the elements of $(D source) and may also repeat elements. $(D Source) must be a random access range. The returned range will be bidirectional or random-access if $(D Indices) is bidirectional or random-access, respectively. Examples: --- auto source = [1, 2, 3, 4, 5]; auto indices = [4, 3, 1, 2, 0, 4]; auto ind = indexed(source, indices); assert(equal(ind, [5, 4, 2, 3, 1, 5])); // When elements of indices are duplicated and Source has lvalue elements, // these are aliased in ind. ind[0]++; assert(ind[0] == 6); assert(ind[5] == 6); --- */ struct Indexed(Source, Indices) if(isRandomAccessRange!Source && isInputRange!Indices && is(typeof(Source.init[ElementType!(Indices).init]))) { this(Source source, Indices indices) { this._source = source; this._indices = indices; } /// Range primitives @property auto ref front() { assert(!empty); return _source[_indices.front]; } /// Ditto void popFront() { assert(!empty); _indices.popFront(); } static if(isInfinite!Indices) { enum bool empty = false; } else { /// Ditto @property bool empty() { return _indices.empty; } } static if(isForwardRange!Indices) { /// Ditto @property typeof(this) save() { // Don't need to save _source because it's never consumed. return typeof(this)(_source, _indices.save); } } /// Ditto static if(hasAssignableElements!Source) { @property auto ref front(ElementType!Source newVal) { assert(!empty); return _source[_indices.front] = newVal; } } static if(hasMobileElements!Source) { /// Ditto auto moveFront() { assert(!empty); return .moveAt(_source, _indices.front); } } static if(isBidirectionalRange!Indices) { /// Ditto @property auto ref back() { assert(!empty); return _source[_indices.back]; } /// Ditto void popBack() { assert(!empty); _indices.popBack(); } /// Ditto static if(hasAssignableElements!Source) { @property auto ref back(ElementType!Source newVal) { assert(!empty); return _source[_indices.back] = newVal; } } static if(hasMobileElements!Source) { /// Ditto auto moveBack() { assert(!empty); return .moveAt(_source, _indices.back); } } } static if(hasLength!Indices) { /// Ditto @property size_t length() { return _indices.length; } alias length opDollar; } static if(isRandomAccessRange!Indices) { /// Ditto auto ref opIndex(size_t index) { return _source[_indices[index]]; } /// Ditto typeof(this) opSlice(size_t a, size_t b) { return typeof(this)(_source, _indices[a..b]); } static if(hasAssignableElements!Source) { /// Ditto auto opIndexAssign(ElementType!Source newVal, size_t index) { return _source[_indices[index]] = newVal; } } static if(hasMobileElements!Source) { /// Ditto auto moveAt(size_t index) { return .moveAt(_source, _indices[index]); } } } // All this stuff is useful if someone wants to index an Indexed // without adding a layer of indirection. /** Returns the source range. */ @property Source source() { return _source; } /** Returns the indices range. */ @property Indices indices() { return _indices; } static if(isRandomAccessRange!Indices) { /** Returns the physical index into the source range corresponding to a given logical index. This is useful, for example, when indexing an $(D Indexed) without adding another layer of indirection. Examples: --- auto ind = indexed([1, 2, 3, 4, 5], [1, 3, 4]); assert(ind.physicalIndex(0) == 1); --- */ size_t physicalIndex(size_t logicalIndex) { return _indices[logicalIndex]; } } private: Source _source; Indices _indices; } /// Ditto Indexed!(Source, Indices) indexed(Source, Indices)(Source source, Indices indices) { return typeof(return)(source, indices); } unittest { { // Test examples. auto ind = indexed([1, 2, 3, 4, 5], [1, 3, 4]); assert(ind.physicalIndex(0) == 1); } auto source = [1, 2, 3, 4, 5]; auto indices = [4, 3, 1, 2, 0, 4]; auto ind = indexed(source, indices); assert(equal(ind, [5, 4, 2, 3, 1, 5])); assert(equal(retro(ind), [5, 1, 3, 2, 4, 5])); // When elements of indices are duplicated and Source has lvalue elements, // these are aliased in ind. ind[0]++; assert(ind[0] == 6); assert(ind[5] == 6); foreach(DummyType; AllDummyRanges) { auto d = DummyType.init; auto r = indexed([1, 2, 3, 4, 5], d); static assert(propagatesRangeType!(DummyType, typeof(r))); static assert(propagatesLength!(DummyType, typeof(r))); } } /** This range iterates over fixed-sized chunks of size $(D chunkSize) of a $(D source) range. $(D Source) must be a forward range. If $(D !isInfinite!Source) and $(D source.walkLength) is not evenly divisible by $(D chunkSize), the back element of this range will contain fewer than $(D chunkSize) elements. Examples: --- auto source = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]; auto chunks = chunks(source, 4); assert(chunks[0] == [1, 2, 3, 4]); assert(chunks[1] == [5, 6, 7, 8]); assert(chunks[2] == [9, 10]); assert(chunks.back == chunks[2]); assert(chunks.front == chunks[0]); assert(chunks.length == 3); --- */ struct Chunks(Source) if (isForwardRange!Source) { /// Standard constructor this(Source source, size_t chunkSize) { assert(chunkSize != 0, "Cannot create a Chunk with an empty chunkSize"); _source = source; _chunkSize = chunkSize; } /// Forward range primitives. Always present. @property auto front() { assert(!empty); return _source.save.take(_chunkSize); } /// Ditto void popFront() { assert(!empty); _source.popFrontN(_chunkSize); } static if (!isInfinite!Source) /// Ditto @property bool empty() { return _source.empty; } else // undocumented enum empty = false; /// Ditto @property typeof(this) save() { return typeof(this)(_source.save, _chunkSize); } static if (hasLength!Source) { /// Length. Only if $(D hasLength!Source) is $(D true) @property size_t length() { // Note: _source.length + _chunkSize may actually overflow. // We cast to ulong to mitigate the problem on x86 machines. // For x64 machines, we just suppose we'll never overflow. // The "safe" code would require either an extra branch, or a // modulo operation, which is too expensive for such a rare case return cast(size_t)((cast(ulong)(_source.length) + _chunkSize - 1) / _chunkSize); } //Note: No point in defining opDollar here without slicing. //opDollar is defined below in the hasSlicing!Source section } static if (hasSlicing!Source) { //Used for various purposes private enum hasSliceToEnd = is(typeof(Source.init[_chunkSize .. $]) == Source); /** Indexing and slicing operations. Provided only if $(D hasSlicing!Source) is $(D true). */ auto opIndex(size_t index) { immutable start = index * _chunkSize; immutable end = start + _chunkSize; static if (isInfinite!Source) return _source[start .. end]; else { immutable len = _source.length; assert(start < len, "chunks index out of bounds"); return _source[start .. min(end, len)]; } } /// Ditto static if (hasLength!Source) typeof(this) opSlice(size_t lower, size_t upper) { assert(lower <= upper && upper <= length, "chunks slicing index out of bounds"); immutable len = _source.length; return chunks(_source[min(lower * _chunkSize, len) .. min(upper * _chunkSize, len)], _chunkSize); } else static if (hasSliceToEnd) //For slicing an infinite chunk, we need to slice the source to the end. typeof(takeExactly(this, 0)) opSlice(size_t lower, size_t upper) { assert(lower <= upper, "chunks slicing index out of bounds"); return chunks(_source[lower * _chunkSize .. $], _chunkSize).takeExactly(upper - lower); } static if (isInfinite!Source) { static if (hasSliceToEnd) { private static struct DollarToken{} DollarToken opDollar() { return DollarToken(); } //Slice to dollar typeof(this) opSlice(size_t lower, DollarToken) { return typeof(this)(_source[lower * _chunkSize .. $], _chunkSize); } } } else { //Dollar token carries a static type, with no extra information. //It can lazily transform into _source.length on algorithmic //operations such as : chunks[$/2, $-1]; private static struct DollarToken { Chunks!Source* mom; @property size_t momLength() { return mom.length; } alias momLength this; } DollarToken opDollar() { return DollarToken(&this); } //Slice overloads optimized for using dollar. Without this, to slice to end, we would... //1. Evaluate chunks.length //2. Multiply by _chunksSize //3. To finally just compare it (with min) to the original length of source (!) //These overloads avoid that. typeof(this) opSlice(DollarToken, DollarToken) { static if (hasSliceToEnd) return chunks(_source[$ .. $], _chunkSize); else { immutable len = _source.length; return chunks(_source[len .. len], _chunkSize); } } typeof(this) opSlice(size_t lower, DollarToken) { assert(lower <= length, "chunks slicing index out of bounds"); static if (hasSliceToEnd) return chunks(_source[min(lower * _chunkSize, _source.length) .. $], _chunkSize); else { immutable len = _source.length; return chunks(_source[min(lower * _chunkSize, len) .. len], _chunkSize); } } typeof(this) opSlice(DollarToken, size_t upper) { assert(upper == length, "chunks slicing index out of bounds"); return this[$ .. $]; } } } //Bidirectional range primitives static if (hasSlicing!Source && hasLength!Source) { /** Bidirectional range primitives. Provided only if both $(D hasSlicing!Source) and $(D hasLength!Source) are $(D true). */ @property auto back() { assert(!empty, "back called on empty chunks"); immutable len = _source.length; immutable start = (len - 1) / _chunkSize * _chunkSize; return _source[start .. len]; } /// Ditto void popBack() { assert(!empty, "popBack() called on empty chunks"); immutable end = (_source.length - 1) / _chunkSize * _chunkSize; _source = _source[0 .. end]; } } private: Source _source; size_t _chunkSize; } /// Ditto Chunks!Source chunks(Source)(Source source, size_t chunkSize) if (isForwardRange!Source) { return typeof(return)(source, chunkSize); } unittest { auto source = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]; auto chunks = chunks(source, 4); assert(chunks[0] == [1, 2, 3, 4]); assert(chunks[1] == [5, 6, 7, 8]); assert(chunks[2] == [9, 10]); assert(chunks.back == chunks[2]); assert(chunks.front == chunks[0]); assert(chunks.length == 3); assert(equal(retro(array(chunks)), array(retro(chunks)))); auto chunks2 = chunks.save; chunks.popFront(); assert(chunks[0] == [5, 6, 7, 8]); assert(chunks[1] == [9, 10]); chunks2.popBack(); assert(chunks2[1] == [5, 6, 7, 8]); assert(chunks2.length == 2); static assert(isRandomAccessRange!(typeof(chunks))); } unittest { //Extra toying with slicing and indexing. auto chunks1 = [0, 0, 1, 1, 2, 2, 3, 3, 4].chunks(2); auto chunks2 = [0, 0, 1, 1, 2, 2, 3, 3, 4, 4].chunks(2); assert (chunks1.length == 5); assert (chunks2.length == 5); assert (chunks1[4] == [4]); assert (chunks2[4] == [4, 4]); assert (chunks1.back == [4]); assert (chunks2.back == [4, 4]); assert (chunks1[0 .. 1].equal([[0, 0]])); assert (chunks1[0 .. 2].equal([[0, 0], [1, 1]])); assert (chunks1[4 .. 5].equal([[4]])); assert (chunks2[4 .. 5].equal([[4, 4]])); assert (chunks1[0 .. 0].equal((int[][]).init)); assert (chunks1[5 .. 5].equal((int[][]).init)); assert (chunks2[5 .. 5].equal((int[][]).init)); //Fun with opDollar assert (chunks1[$ .. $].equal((int[][]).init)); //Quick assert (chunks2[$ .. $].equal((int[][]).init)); //Quick assert (chunks1[$ - 1 .. $].equal([[4]])); //Semiquick assert (chunks2[$ - 1 .. $].equal([[4, 4]])); //Semiquick assert (chunks1[$ .. 5].equal((int[][]).init)); //Semiquick assert (chunks2[$ .. 5].equal((int[][]).init)); //Semiquick assert (chunks1[$ / 2 .. $ - 1].equal([[2, 2], [3, 3]])); //Slow } unittest { //ForwardRange auto r = filter!"true"([1, 2, 3, 4, 5]).chunks(2); assert(equal!"equal(a, b)"(r, [[1, 2], [3, 4], [5]])); //InfiniteRange w/o RA auto fibsByPairs = recurrence!"a[n-1] + a[n-2]"(1, 1).chunks(2); assert(equal!`equal(a, b)`(fibsByPairs.take(2), [[ 1, 1], [ 2, 3]])); //InfiniteRange w/ RA and slicing auto odds = sequence!("a[0] + n * a[1]")(1, 2); auto oddsByPairs = odds.chunks(2); assert(equal!`equal(a, b)`(oddsByPairs.take(2), [[ 1, 3], [ 5, 7]])); //Requires phobos#991 for Sequence to have slice to end static assert(hasSlicing!(typeof(odds))); assert(equal!`equal(a, b)`(oddsByPairs[3 .. 5], [[13, 15], [17, 19]])); assert(equal!`equal(a, b)`(oddsByPairs[3 .. $].take(2), [[13, 15], [17, 19]])); } private struct OnlyResult(T, size_t arity) { private this(Values...)(auto ref Values values) { this.data = [values]; } bool empty() @property { return frontIndex >= backIndex; } T front() @property { assert(!empty); return data[frontIndex]; } void popFront() { assert(!empty); ++frontIndex; } T back() @property { assert(!empty); return data[backIndex - 1]; } void popBack() { assert(!empty); --backIndex; } OnlyResult save() @property { return this; } size_t length() @property { return backIndex - frontIndex; } alias opDollar = length; T opIndex(size_t idx) { // data[i + idx] will not throw a RangeError // when i + idx points to elements popped // with popBack version(assert) if(idx >= length) throw new RangeError; return data[frontIndex + idx]; } OnlyResult opSlice() { return this; } OnlyResult opSlice(size_t from, size_t to) { OnlyResult result = this; result.frontIndex += from; result.backIndex = this.frontIndex + to; version(assert) if(to < from || to > length) throw new RangeError; return result; } private size_t frontIndex = 0; private size_t backIndex = arity; // @@@BUG@@@ 10643 version(none) { static if(hasElaborateAssign!T) private T[arity] data; else private T[arity] data = void; } else private T[arity] data; } // Specialize for single-element results private struct OnlyResult(T, size_t arity : 1) { @property T front() { assert(!_empty); return _value; } @property T back() { assert(!_empty); return _value; } @property bool empty() const { return _empty; } @property size_t length() const { return !_empty; } @property auto save() { return this; } void popFront() { assert(!_empty); _empty = true; } void popBack() { assert(!_empty); _empty = true; } alias opDollar = length; T opIndex(size_t i) { version (assert) if (_empty || i != 0) throw new RangeError; return _value; } OnlyResult opSlice() { return this; } OnlyResult opSlice(size_t from, size_t to) { version (assert) if (from > to || to > length) throw new RangeError; OnlyResult copy = this; copy._empty = _empty || from == to; return copy; } private Unqual!T _value; private bool _empty = false; } // Specialize for the empty range private struct OnlyResult(T, size_t arity : 0) { private static struct EmptyElementType {} bool empty() @property { return true; } size_t length() @property { return 0; } alias opDollar = length; EmptyElementType front() @property { assert(false); } void popFront() { assert(false); } EmptyElementType back() @property { assert(false); } void popBack() { assert(false); } OnlyResult save() @property { return this; } EmptyElementType opIndex(size_t i) { version(assert) throw new RangeError; assert(false); } OnlyResult opSlice() { return this; } OnlyResult opSlice(size_t from, size_t to) { version(assert) if(from != 0 || to != 0) throw new RangeError; return this; } } /** Assemble $(D values) into a range that carries all its elements in-situ. Useful when a single value or multiple disconnected values must be passed to an algorithm expecting a range, without having to perform dynamic memory allocation. As copying the range means copying all elements, it can be safely returned from functions. For the same reason, copying the returned range may be expensive for a large number of arguments. */ auto only(Values...)(auto ref Values values) if(!is(CommonType!Values == void) || Values.length == 0) { return OnlyResult!(CommonType!Values, Values.length)(values); } /// unittest { assert(equal(only('♡'), "♡")); assert([1, 2, 3, 4].findSplitBefore(only(3))[0] == [1, 2]); assert(only("one", "two", "three").joiner(" ").equal("one two three")); import std.uni; string title = "The D Programming Language"; assert(filter!isUpper(title).map!only().join(".") == "T.D.P.L"); } version(unittest) { // Verify that the same common type and same arity // results in the same template instantiation static assert(is(typeof(only(byte.init, int.init)) == typeof(only(int.init, byte.init)))); static assert(is(typeof(only((const(char)[]).init, string.init)) == typeof(only((const(char)[]).init, (const(char)[]).init)))); } // Tests the zero-element result unittest { auto emptyRange = only(); alias EmptyRange = typeof(emptyRange); static assert(isInputRange!EmptyRange); static assert(isForwardRange!EmptyRange); static assert(isBidirectionalRange!EmptyRange); static assert(isRandomAccessRange!EmptyRange); static assert(hasLength!EmptyRange); static assert(hasSlicing!EmptyRange); assert(emptyRange.empty); assert(emptyRange.length == 0); assert(emptyRange.equal(emptyRange[])); assert(emptyRange.equal(emptyRange.save)); assert(emptyRange[0 .. 0].equal(emptyRange)); } // Tests the single-element result unittest { foreach (x; tuple(1, '1', 1.0, "1", [1])) { auto a = only(x); typeof(x)[] e = []; assert(a.front == x); assert(a.back == x); assert(!a.empty); assert(a.length == 1); assert(equal(a, a[])); assert(equal(a, a[0..1])); assert(equal(a[0..0], e)); assert(equal(a[1..1], e)); assert(a[0] == x); auto b = a.save; assert(equal(a, b)); a.popFront(); assert(a.empty && a.length == 0 && a[].empty); b.popBack(); assert(b.empty && b.length == 0 && b[].empty); alias typeof(a) A; static assert(isInputRange!A); static assert(isForwardRange!A); static assert(isBidirectionalRange!A); static assert(isRandomAccessRange!A); static assert(hasLength!A); static assert(hasSlicing!A); } auto imm = only!(immutable int)(1); immutable int[] imme = []; assert(imm.front == 1); assert(imm.back == 1); assert(!imm.empty); assert(imm.length == 1); assert(equal(imm, imm[])); assert(equal(imm, imm[0..1])); assert(equal(imm[0..0], imme)); assert(equal(imm[1..1], imme)); assert(imm[0] == 1); } // Tests multiple-element results unittest { static assert(!__traits(compiles, only(1, "1"))); auto nums = only!(byte, uint, long)(1, 2, 3); static assert(is(ElementType!(typeof(nums)) == long)); assert(nums.length == 3); foreach(i; 0 .. 3) assert(nums[i] == i + 1); auto saved = nums.save; foreach(i; 1 .. 4) { assert(nums.front == nums[0]); assert(nums.front == i); nums.popFront(); assert(nums.length == 3 - i); } assert(nums.empty); assert(saved.equal(only(1, 2, 3))); assert(saved.equal(saved[])); assert(saved[0 .. 1].equal(only(1))); assert(saved[0 .. 2].equal(only(1, 2))); assert(saved[0 .. 3].equal(saved)); assert(saved[1 .. 3].equal(only(2, 3))); assert(saved[2 .. 3].equal(only(3))); assert(saved[0 .. 0].empty); assert(saved[3 .. 3].empty); alias data = TypeTuple!("one", "two", "three", "four"); static joined = ["one two", "one two three", "one two three four"]; string[] joinedRange = joined; foreach(argCount; TypeTuple!(2, 3, 4)) { auto values = only(data[0 .. argCount]); alias Values = typeof(values); static assert(is(ElementType!Values == string)); static assert(isInputRange!Values); static assert(isForwardRange!Values); static assert(isBidirectionalRange!Values); static assert(isRandomAccessRange!Values); static assert(hasSlicing!Values); static assert(hasLength!Values); assert(values.length == argCount); assert(values[0 .. $].equal(values[0 .. values.length])); assert(values.joiner(" ").equal(joinedRange.front)); joinedRange.popFront(); } assert(saved.retro.equal(only(3, 2, 1))); assert(saved.length == 3); assert(saved.back == 3); saved.popBack(); assert(saved.length == 2); assert(saved.back == 2); assert(saved.front == 1); saved.popFront(); assert(saved.length == 1); assert(saved.front == 2); saved.popBack(); assert(saved.empty); auto imm = only!(immutable int, immutable int)(42, 24); alias Imm = typeof(imm); static assert(is(ElementType!Imm == immutable(int))); assert(imm.front == 42); imm.popFront(); assert(imm.front == 24); imm.popFront(); assert(imm.empty); static struct Test { int* a; } immutable(Test) test; only(test, test); // Works with mutable indirection } /** Moves the front of $(D r) out and returns it. Leaves $(D r.front) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveFront(R)(R r) { static if (is(typeof(&r.moveFront))) { return r.moveFront(); } else static if (!hasElaborateCopyConstructor!(ElementType!R)) { return r.front; } else static if (is(typeof(&(r.front())) == ElementType!R*)) { return move(r.front); } else { static assert(0, "Cannot move front of a range with a postblit and an rvalue front."); } } unittest { struct R { @property ref int front() { static int x = 42; return x; } this(this){} } R r; assert(moveFront(r) == 42); } /** Moves the back of $(D r) out and returns it. Leaves $(D r.back) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveBack(R)(R r) { static if (is(typeof(&r.moveBack))) { return r.moveBack(); } else static if (!hasElaborateCopyConstructor!(ElementType!R)) { return r.back; } else static if (is(typeof(&(r.back())) == ElementType!R*)) { return move(r.back); } else { static assert(0, "Cannot move back of a range with a postblit and an rvalue back."); } } unittest { struct TestRange { int payload; @property bool empty() { return false; } @property TestRange save() { return this; } @property ref int front() { return payload; } @property ref int back() { return payload; } void popFront() { } void popBack() { } } static assert(isBidirectionalRange!TestRange); TestRange r; auto x = moveBack(r); } /** Moves element at index $(D i) of $(D r) out and returns it. Leaves $(D r.front) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveAt(R, I)(R r, I i) if (isIntegral!I) { static if (is(typeof(&r.moveAt))) { return r.moveAt(i); } else static if (!hasElaborateCopyConstructor!(ElementType!(R))) { return r[i]; } else static if (is(typeof(&r[i]) == ElementType!R*)) { return move(r[i]); } else { static assert(0, "Cannot move element of a range with a postblit and rvalue elements."); } } unittest { auto a = [ 1, 2, 3 ]; assert(moveFront(a) == 1); // define a perfunctory input range struct InputRange { @property bool empty() { return false; } @property int front() { return 42; } void popFront() {} int moveFront() { return 43; } } InputRange r; assert(moveFront(r) == 43); foreach(DummyType; AllDummyRanges) { auto d = DummyType.init; assert(moveFront(d) == 1); static if (isBidirectionalRange!DummyType) { assert(moveBack(d) == 10); } static if (isRandomAccessRange!DummyType) { assert(moveAt(d, 2) == 3); } } } /**These interfaces are intended to provide virtual function-based wrappers * around input ranges with element type E. This is useful where a well-defined * binary interface is required, such as when a DLL function or virtual function * needs to accept a generic range as a parameter. Note that * $(LREF isInputRange) and friends check for conformance to structural * interfaces, not for implementation of these $(D interface) types. * * Examples: * --- * void useRange(InputRange!int range) { * // Function body. * } * * // Create a range type. * auto squares = map!"a * a"(iota(10)); * * // Wrap it in an interface. * auto squaresWrapped = inputRangeObject(squares); * * // Use it. * useRange(squaresWrapped); * --- * * Limitations: * * These interfaces are not capable of forwarding $(D ref) access to elements. * * Infiniteness of the wrapped range is not propagated. * * Length is not propagated in the case of non-random access ranges. * * See_Also: * $(LREF inputRangeObject) */ interface InputRange(E) { /// @property E front(); /// E moveFront(); /// void popFront(); /// @property bool empty(); /* Measurements of the benefits of using opApply instead of range primitives * for foreach, using timings for iterating over an iota(100_000_000) range * with an empty loop body, using the same hardware in each case: * * Bare Iota struct, range primitives: 278 milliseconds * InputRangeObject, opApply: 436 milliseconds (1.57x penalty) * InputRangeObject, range primitives: 877 milliseconds (3.15x penalty) */ /**$(D foreach) iteration uses opApply, since one delegate call per loop * iteration is faster than three virtual function calls. */ int opApply(int delegate(E)); /// Ditto int opApply(int delegate(size_t, E)); } /**Interface for a forward range of type $(D E).*/ interface ForwardRange(E) : InputRange!E { /// @property ForwardRange!E save(); } /**Interface for a bidirectional range of type $(D E).*/ interface BidirectionalRange(E) : ForwardRange!(E) { /// @property BidirectionalRange!E save(); /// @property E back(); /// E moveBack(); /// void popBack(); } /**Interface for a finite random access range of type $(D E).*/ interface RandomAccessFinite(E) : BidirectionalRange!(E) { /// @property RandomAccessFinite!E save(); /// E opIndex(size_t); /// E moveAt(size_t); /// @property size_t length(); /// alias length opDollar; // Can't support slicing until issues with requiring slicing for all // finite random access ranges are fully resolved. version(none) { /// RandomAccessFinite!E opSlice(size_t, size_t); } } /**Interface for an infinite random access range of type $(D E).*/ interface RandomAccessInfinite(E) : ForwardRange!E { /// E moveAt(size_t); /// @property RandomAccessInfinite!E save(); /// E opIndex(size_t); } /**Adds assignable elements to InputRange.*/ interface InputAssignable(E) : InputRange!E { /// @property void front(E newVal); } /**Adds assignable elements to ForwardRange.*/ interface ForwardAssignable(E) : InputAssignable!E, ForwardRange!E { /// @property ForwardAssignable!E save(); } /**Adds assignable elements to BidirectionalRange.*/ interface BidirectionalAssignable(E) : ForwardAssignable!E, BidirectionalRange!E { /// @property BidirectionalAssignable!E save(); /// @property void back(E newVal); } /**Adds assignable elements to RandomAccessFinite.*/ interface RandomFiniteAssignable(E) : RandomAccessFinite!E, BidirectionalAssignable!E { /// @property RandomFiniteAssignable!E save(); /// void opIndexAssign(E val, size_t index); } /**Interface for an output range of type $(D E). Usage is similar to the * $(D InputRange) interface and descendants.*/ interface OutputRange(E) { /// void put(E); } // CTFE function that generates mixin code for one put() method for each // type E. private string putMethods(E...)() { string ret; foreach(ti, Unused; E) { ret ~= "void put(E[" ~ to!string(ti) ~ "] e) { .put(_range, e); }"; } return ret; } /**Implements the $(D OutputRange) interface for all types E and wraps the * $(D put) method for each type $(D E) in a virtual function. */ class OutputRangeObject(R, E...) : staticMap!(OutputRange, E) { // @BUG 4689: There should be constraints on this template class, but // DMD won't let me put them in. private R _range; this(R range) { this._range = range; } mixin(putMethods!E()); } /**Returns the interface type that best matches $(D R).*/ template MostDerivedInputRange(R) if (isInputRange!(Unqual!R)) { private alias ElementType!R E; static if (isRandomAccessRange!R) { static if (isInfinite!R) { alias RandomAccessInfinite!E MostDerivedInputRange; } else static if (hasAssignableElements!R) { alias RandomFiniteAssignable!E MostDerivedInputRange; } else { alias RandomAccessFinite!E MostDerivedInputRange; } } else static if (isBidirectionalRange!R) { static if (hasAssignableElements!R) { alias BidirectionalAssignable!E MostDerivedInputRange; } else { alias BidirectionalRange!E MostDerivedInputRange; } } else static if (isForwardRange!R) { static if (hasAssignableElements!R) { alias ForwardAssignable!E MostDerivedInputRange; } else { alias ForwardRange!E MostDerivedInputRange; } } else { static if (hasAssignableElements!R) { alias InputAssignable!E MostDerivedInputRange; } else { alias InputRange!E MostDerivedInputRange; } } } /**Implements the most derived interface that $(D R) works with and wraps * all relevant range primitives in virtual functions. If $(D R) is already * derived from the $(D InputRange) interface, aliases itself away. */ template InputRangeObject(R) if (isInputRange!(Unqual!R)) { static if (is(R : InputRange!(ElementType!R))) { alias R InputRangeObject; } else static if (!is(Unqual!R == R)) { alias InputRangeObject!(Unqual!R) InputRangeObject; } else { /// class InputRangeObject : MostDerivedInputRange!(R) { private R _range; private alias ElementType!R E; this(R range) { this._range = range; } @property E front() { return _range.front; } E moveFront() { return .moveFront(_range); } void popFront() { _range.popFront(); } @property bool empty() { return _range.empty; } static if (isForwardRange!R) { @property typeof(this) save() { return new typeof(this)(_range.save); } } static if (hasAssignableElements!R) { @property void front(E newVal) { _range.front = newVal; } } static if (isBidirectionalRange!R) { @property E back() { return _range.back; } E moveBack() { return .moveBack(_range); } void popBack() { return _range.popBack(); } static if (hasAssignableElements!R) { @property void back(E newVal) { _range.back = newVal; } } } static if (isRandomAccessRange!R) { E opIndex(size_t index) { return _range[index]; } E moveAt(size_t index) { return .moveAt(_range, index); } static if (hasAssignableElements!R) { void opIndexAssign(E val, size_t index) { _range[index] = val; } } static if (!isInfinite!R) { @property size_t length() { return _range.length; } alias length opDollar; // Can't support slicing until all the issues with // requiring slicing support for finite random access // ranges are resolved. version(none) { typeof(this) opSlice(size_t lower, size_t upper) { return new typeof(this)(_range[lower..upper]); } } } } // Optimization: One delegate call is faster than three virtual // function calls. Use opApply for foreach syntax. int opApply(int delegate(E) dg) { int res; for(auto r = _range; !r.empty; r.popFront()) { res = dg(r.front); if (res) break; } return res; } int opApply(int delegate(size_t, E) dg) { int res; size_t i = 0; for(auto r = _range; !r.empty; r.popFront()) { res = dg(i, r.front); if (res) break; i++; } return res; } } } } /**Convenience function for creating an $(D InputRangeObject) of the proper type. * See $(LREF InputRange) for an example. */ InputRangeObject!R inputRangeObject(R)(R range) if (isInputRange!R) { static if (is(R : InputRange!(ElementType!R))) { return range; } else { return new InputRangeObject!R(range); } } /**Convenience function for creating an $(D OutputRangeObject) with a base range * of type $(D R) that accepts types $(D E). Examples: --- uint[] outputArray; auto app = appender(&outputArray); auto appWrapped = outputRangeObject!(uint, uint[])(app); static assert(is(typeof(appWrapped) : OutputRange!(uint[]))); static assert(is(typeof(appWrapped) : OutputRange!(uint))); --- */ template outputRangeObject(E...) { /// OutputRangeObject!(R, E) outputRangeObject(R)(R range) { return new OutputRangeObject!(R, E)(range); } } unittest { static void testEquality(R)(iInputRange r1, R r2) { assert(equal(r1, r2)); } auto arr = [1,2,3,4]; RandomFiniteAssignable!int arrWrapped = inputRangeObject(arr); static assert(isRandomAccessRange!(typeof(arrWrapped))); // static assert(hasSlicing!(typeof(arrWrapped))); static assert(hasLength!(typeof(arrWrapped))); arrWrapped[0] = 0; assert(arr[0] == 0); assert(arr.moveFront() == 0); assert(arr.moveBack() == 4); assert(arr.moveAt(1) == 2); foreach(elem; arrWrapped) {} foreach(i, elem; arrWrapped) {} assert(inputRangeObject(arrWrapped) is arrWrapped); foreach(DummyType; AllDummyRanges) { auto d = DummyType.init; static assert(propagatesRangeType!(DummyType, typeof(inputRangeObject(d)))); static assert(propagatesRangeType!(DummyType, MostDerivedInputRange!DummyType)); InputRange!uint wrapped = inputRangeObject(d); assert(equal(wrapped, d)); } // Test output range stuff. auto app = appender!(uint[])(); auto appWrapped = outputRangeObject!(uint, uint[])(app); static assert(is(typeof(appWrapped) : OutputRange!(uint[]))); static assert(is(typeof(appWrapped) : OutputRange!(uint))); appWrapped.put(1); appWrapped.put([2, 3]); assert(app.data.length == 3); assert(equal(app.data, [1,2,3])); } /** Returns true if $(D fn) accepts variables of type T1 and T2 in any order. The following code should compile: --- T1 foo(); T2 bar(); fn(foo(), bar()); fn(bar(), foo()); --- */ template isTwoWayCompatible(alias fn, T1, T2) { enum isTwoWayCompatible = is(typeof( (){ T1 foo(); T2 bar(); fn(foo(), bar()); fn(bar(), foo()); } )); } /** Policy used with the searching primitives $(D lowerBound), $(D upperBound), and $(D equalRange) of $(LREF SortedRange) below. */ enum SearchPolicy { /** Searches with a step that is grows linearly (1, 2, 3,...) leading to a quadratic search schedule (indexes tried are 0, 1, 3, 6, 10, 15, 21, 28,...) Once the search overshoots its target, the remaining interval is searched using binary search. The search is completed in $(BIGOH sqrt(n)) time. Use it when you are reasonably confident that the value is around the beginning of the range. */ trot, /** Performs a $(LUCKY galloping search algorithm), i.e. searches with a step that doubles every time, (1, 2, 4, 8, ...) leading to an exponential search schedule (indexes tried are 0, 1, 3, 7, 15, 31, 63,...) Once the search overshoots its target, the remaining interval is searched using binary search. A value is found in $(BIGOH log(n)) time. */ gallop, /** Searches using a classic interval halving policy. The search starts in the middle of the range, and each search step cuts the range in half. This policy finds a value in $(BIGOH log(n)) time but is less cache friendly than $(D gallop) for large ranges. The $(D binarySearch) policy is used as the last step of $(D trot), $(D gallop), $(D trotBackwards), and $(D gallopBackwards) strategies. */ binarySearch, /** Similar to $(D trot) but starts backwards. Use it when confident that the value is around the end of the range. */ trotBackwards, /** Similar to $(D gallop) but starts backwards. Use it when confident that the value is around the end of the range. */ gallopBackwards } /** Represents a sorted random-access range. In addition to the regular range primitives, supports fast operations using binary search. To obtain a $(D SortedRange) from an unsorted range $(D r), use $(XREF algorithm, sort) which sorts $(D r) in place and returns the corresponding $(D SortedRange). To construct a $(D SortedRange) from a range $(D r) that is known to be already sorted, use $(LREF assumeSorted) described below. Example: ---- auto a = [ 1, 2, 3, 42, 52, 64 ]; auto r = assumeSorted(a); assert(r.contains(3)); assert(!r.contains(32)); auto r1 = sort!"a > b"(a); assert(r1.contains(3)); assert(!r1.contains(32)); assert(r1.release() == [ 64, 52, 42, 3, 2, 1 ]); ---- $(D SortedRange) could accept ranges weaker than random-access, but it is unable to provide interesting functionality for them. Therefore, $(D SortedRange) is currently restricted to random-access ranges. No copy of the original range is ever made. If the underlying range is changed concurrently with its corresponding $(D SortedRange) in ways that break its sortedness, $(D SortedRange) will work erratically. Example: ---- auto a = [ 1, 2, 3, 42, 52, 64 ]; auto r = assumeSorted(a); assert(r.contains(42)); swap(a[3], a[5]); // illegal to break sortedness of original range assert(!r.contains(42)); // passes although it shouldn't ---- */ struct SortedRange(Range, alias pred = "a < b") if (isRandomAccessRange!Range && hasLength!Range) { private alias binaryFun!pred predFun; private bool geq(L, R)(L lhs, R rhs) { return !predFun(lhs, rhs); } private bool gt(L, R)(L lhs, R rhs) { return predFun(rhs, lhs); } private Range _input; // Undocummented because a clearer way to invoke is by calling // assumeSorted. this(Range input) { this._input = input; if(!__ctfe) debug { import std.random; // Check the sortedness of the input if (this._input.length < 2) return; immutable size_t msb = bsr(this._input.length) + 1; assert(msb > 0 && msb <= this._input.length); immutable step = this._input.length / msb; static MinstdRand gen; immutable start = uniform(0, step, gen); auto st = stride(this._input, step); assert(isSorted!pred(st), text(st)); } } /// Range primitives. @property bool empty() //const { return this._input.empty; } /// Ditto @property auto save() { // Avoid the constructor typeof(this) result = this; result._input = _input.save; return result; } /// Ditto @property auto front() { return _input.front; } /// Ditto void popFront() { _input.popFront(); } /// Ditto @property auto back() { return _input.back; } /// Ditto void popBack() { _input.popBack(); } /// Ditto auto opIndex(size_t i) { return _input[i]; } /// Ditto static if (hasSlicing!Range) auto opSlice(size_t a, size_t b) { assert(a <= b); typeof(this) result = this; result._input = _input[a .. b];// skip checking return result; } /// Ditto @property size_t length() //const { return _input.length; } alias length opDollar; /** Releases the controlled range and returns it. */ auto release() { return move(_input); } // Assuming a predicate "test" that returns 0 for a left portion // of the range and then 1 for the rest, returns the index at // which the first 1 appears. Used internally by the search routines. private size_t getTransitionIndex(SearchPolicy sp, alias test, V)(V v) if (sp == SearchPolicy.binarySearch) { size_t first = 0, count = _input.length; while (count > 0) { immutable step = count / 2, it = first + step; if (!test(_input[it], v)) { first = it + 1; count -= step + 1; } else { count = step; } } return first; } // Specialization for trot and gallop private size_t getTransitionIndex(SearchPolicy sp, alias test, V)(V v) if (sp == SearchPolicy.trot || sp == SearchPolicy.gallop) { if (empty || test(front, v)) return 0; immutable count = length; if (count == 1) return 1; size_t below = 0, above = 1, step = 2; while (!test(_input[above], v)) { // Still too small, update below and increase gait below = above; immutable next = above + step; if (next >= count) { // Overshot - the next step took us beyond the end. So // now adjust next and simply exit the loop to do the // binary search thingie. above = count; break; } // Still in business, increase step and continue above = next; static if (sp == SearchPolicy.trot) ++step; else step <<= 1; } return below + this[below .. above].getTransitionIndex!( SearchPolicy.binarySearch, test, V)(v); } // Specialization for trotBackwards and gallopBackwards private size_t getTransitionIndex(SearchPolicy sp, alias test, V)(V v) if (sp == SearchPolicy.trotBackwards || sp == SearchPolicy.gallopBackwards) { immutable count = length; if (empty || !test(back, v)) return count; if (count == 1) return 0; size_t below = count - 2, above = count - 1, step = 2; while (test(_input[below], v)) { // Still too large, update above and increase gait above = below; if (below < step) { // Overshot - the next step took us beyond the end. So // now adjust next and simply fall through to do the // binary search thingie. below = 0; break; } // Still in business, increase step and continue below -= step; static if (sp == SearchPolicy.trot) ++step; else step <<= 1; } return below + this[below .. above].getTransitionIndex!( SearchPolicy.binarySearch, test, V)(v); } // lowerBound /** This function uses binary search with policy $(D sp) to find the largest left subrange on which $(D pred(x, value)) is $(D true) for all $(D x) (e.g., if $(D pred) is "less than", returns the portion of the range with elements strictly smaller than $(D value)). The search schedule and its complexity are documented in $(LREF SearchPolicy). See also STL's $(WEB sgi.com/tech/stl/lower_bound.html, lower_bound). Example: ---- auto a = assumeSorted([ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 ]); auto p = a.lowerBound(4); assert(equal(p, [ 0, 1, 2, 3 ])); ---- */ auto lowerBound(SearchPolicy sp = SearchPolicy.binarySearch, V)(V value) if (isTwoWayCompatible!(predFun, ElementType!Range, V)) { return this[0 .. getTransitionIndex!(sp, geq)(value)]; } // upperBound /** This function uses binary search with policy $(D sp) to find the largest right subrange on which $(D pred(value, x)) is $(D true) for all $(D x) (e.g., if $(D pred) is "less than", returns the portion of the range with elements strictly greater than $(D value)). The search schedule and its complexity are documented in $(LREF SearchPolicy). See also STL's $(WEB sgi.com/tech/stl/lower_bound.html,upper_bound). Example: ---- auto a = assumeSorted([ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]); auto p = a.upperBound(3); assert(equal(p, [4, 4, 5, 6])); ---- */ auto upperBound(SearchPolicy sp = SearchPolicy.binarySearch, V)(V value) if (isTwoWayCompatible!(predFun, ElementType!Range, V)) { return this[getTransitionIndex!(sp, gt)(value) .. length]; } // equalRange /** Returns the subrange containing all elements $(D e) for which both $(D pred(e, value)) and $(D pred(value, e)) evaluate to $(D false) (e.g., if $(D pred) is "less than", returns the portion of the range with elements equal to $(D value)). Uses a classic binary search with interval halving until it finds a value that satisfies the condition, then uses $(D SearchPolicy.gallopBackwards) to find the left boundary and $(D SearchPolicy.gallop) to find the right boundary. These policies are justified by the fact that the two boundaries are likely to be near the first found value (i.e., equal ranges are relatively small). Completes the entire search in $(BIGOH log(n)) time. See also STL's $(WEB sgi.com/tech/stl/equal_range.html, equal_range). Example: ---- auto a = [ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]; auto r = equalRange(a, 3); assert(equal(r, [ 3, 3, 3 ])); ---- */ auto equalRange(V)(V value) if (isTwoWayCompatible!(predFun, ElementType!Range, V)) { size_t first = 0, count = _input.length; while (count > 0) { immutable step = count / 2; auto it = first + step; if (predFun(_input[it], value)) { // Less than value, bump left bound up first = it + 1; count -= step + 1; } else if (predFun(value, _input[it])) { // Greater than value, chop count count = step; } else { // Equal to value, do binary searches in the // leftover portions // Gallop towards the left end as it's likely nearby immutable left = first + this[first .. it] .lowerBound!(SearchPolicy.gallopBackwards)(value).length; first += count; // Gallop towards the right end as it's likely nearby immutable right = first - this[it + 1 .. first] .upperBound!(SearchPolicy.gallop)(value).length; return this[left .. right]; } } return this.init; } // trisect /** Returns a tuple $(D r) such that $(D r[0]) is the same as the result of $(D lowerBound(value)), $(D r[1]) is the same as the result of $(D equalRange(value)), and $(D r[2]) is the same as the result of $(D upperBound(value)). The call is faster than computing all three separately. Uses a search schedule similar to $(D equalRange). Completes the entire search in $(BIGOH log(n)) time. Example: ---- auto a = [ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]; auto r = assumeSorted(a).trisect(3); assert(equal(r[0], [ 1, 2 ])); assert(equal(r[1], [ 3, 3, 3 ])); assert(equal(r[2], [ 4, 4, 5, 6 ])); ---- */ auto trisect(V)(V value) if (isTwoWayCompatible!(predFun, ElementType!Range, V)) { size_t first = 0, count = _input.length; while (count > 0) { immutable step = count / 2; auto it = first + step; if (predFun(_input[it], value)) { // Less than value, bump left bound up first = it + 1; count -= step + 1; } else if (predFun(value, _input[it])) { // Greater than value, chop count count = step; } else { // Equal to value, do binary searches in the // leftover portions // Gallop towards the left end as it's likely nearby immutable left = first + this[first .. it] .lowerBound!(SearchPolicy.gallopBackwards)(value).length; first += count; // Gallop towards the right end as it's likely nearby immutable right = first - this[it + 1 .. first] .upperBound!(SearchPolicy.gallop)(value).length; return tuple(this[0 .. left], this[left .. right], this[right .. length]); } } // No equal element was found return tuple(this[0 .. first], this.init, this[first .. length]); } // contains /** Returns $(D true) if and only if $(D value) can be found in $(D range), which is assumed to be sorted. Performs $(BIGOH log(r.length)) evaluations of $(D pred). See also STL's $(WEB sgi.com/tech/stl/binary_search.html, binary_search). */ bool contains(V)(V value) { size_t first = 0, count = _input.length; while (count > 0) { immutable step = count / 2, it = first + step; if (predFun(_input[it], value)) { // Less than value, bump left bound up first = it + 1; count -= step + 1; } else if (predFun(value, _input[it])) { // Greater than value, chop count count = step; } else { // Found!!! return true; } } return false; } } // Doc examples unittest { auto a = [ 1, 2, 3, 42, 52, 64 ]; auto r = assumeSorted(a); assert(r.contains(3)); assert(!r.contains(32)); auto r1 = sort!"a > b"(a); assert(r1.contains(3)); assert(!r1.contains(32)); assert(r1.release() == [ 64, 52, 42, 3, 2, 1 ]); } unittest { auto a = [ 10, 20, 30, 30, 30, 40, 40, 50, 60 ]; auto r = assumeSorted(a).trisect(30); assert(equal(r[0], [ 10, 20 ])); assert(equal(r[1], [ 30, 30, 30 ])); assert(equal(r[2], [ 40, 40, 50, 60 ])); r = assumeSorted(a).trisect(35); assert(equal(r[0], [ 10, 20, 30, 30, 30 ])); assert(r[1].empty); assert(equal(r[2], [ 40, 40, 50, 60 ])); } unittest { auto a = [ "A", "AG", "B", "E", "F" ]; auto r = assumeSorted!"cmp(a,b) < 0"(a).trisect("B"w); assert(equal(r[0], [ "A", "AG" ])); assert(equal(r[1], [ "B" ])); assert(equal(r[2], [ "E", "F" ])); r = assumeSorted!"cmp(a,b) < 0"(a).trisect("A"d); assert(r[0].empty); assert(equal(r[1], [ "A" ])); assert(equal(r[2], [ "AG", "B", "E", "F" ])); } unittest { static void test(SearchPolicy pol)() { auto a = [ 1, 2, 3, 42, 52, 64 ]; auto r = assumeSorted(a); assert(equal(r.lowerBound(42), [1, 2, 3])); assert(equal(r.lowerBound!(pol)(42), [1, 2, 3])); assert(equal(r.lowerBound!(pol)(41), [1, 2, 3])); assert(equal(r.lowerBound!(pol)(43), [1, 2, 3, 42])); assert(equal(r.lowerBound!(pol)(51), [1, 2, 3, 42])); assert(equal(r.lowerBound!(pol)(3), [1, 2])); assert(equal(r.lowerBound!(pol)(55), [1, 2, 3, 42, 52])); assert(equal(r.lowerBound!(pol)(420), a)); assert(equal(r.lowerBound!(pol)(0), a[0 .. 0])); assert(equal(r.upperBound!(pol)(42), [52, 64])); assert(equal(r.upperBound!(pol)(41), [42, 52, 64])); assert(equal(r.upperBound!(pol)(43), [52, 64])); assert(equal(r.upperBound!(pol)(51), [52, 64])); assert(equal(r.upperBound!(pol)(53), [64])); assert(equal(r.upperBound!(pol)(55), [64])); assert(equal(r.upperBound!(pol)(420), a[0 .. 0])); assert(equal(r.upperBound!(pol)(0), a)); } test!(SearchPolicy.trot)(); test!(SearchPolicy.gallop)(); test!(SearchPolicy.trotBackwards)(); test!(SearchPolicy.gallopBackwards)(); test!(SearchPolicy.binarySearch)(); } unittest { // Check for small arrays int[] a; auto r = assumeSorted(a); a = [ 1 ]; r = assumeSorted(a); a = [ 1, 2 ]; r = assumeSorted(a); a = [ 1, 2, 3 ]; r = assumeSorted(a); } unittest { auto a = [ 1, 2, 3, 42, 52, 64 ]; auto r = assumeSorted(a); assert(r.contains(42)); swap(a[3], a[5]); // illegal to break sortedness of original range assert(!r.contains(42)); // passes although it shouldn't } unittest { immutable(int)[] arr = [ 1, 2, 3 ]; auto s = assumeSorted(arr); } /** Assumes $(D r) is sorted by predicate $(D pred) and returns the corresponding $(D SortedRange!(pred, R)) having $(D r) as support. To keep the checking costs low, the cost is $(BIGOH 1) in release mode (no checks for sortedness are performed). In debug mode, a few random elements of $(D r) are checked for sortedness. The size of the sample is proportional $(BIGOH log(r.length)). That way, checking has no effect on the complexity of subsequent operations specific to sorted ranges (such as binary search). The probability of an arbitrary unsorted range failing the test is very high (however, an almost-sorted range is likely to pass it). To check for sortedness at cost $(BIGOH n), use $(XREF algorithm,isSorted). */ auto assumeSorted(alias pred = "a < b", R)(R r) if (isRandomAccessRange!(Unqual!R)) { return SortedRange!(Unqual!R, pred)(r); } unittest { static assert(isRandomAccessRange!(SortedRange!(int[]))); int[] a = [ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 ]; auto p = assumeSorted(a).lowerBound(4); assert(equal(p, [0, 1, 2, 3])); p = assumeSorted(a).lowerBound(5); assert(equal(p, [0, 1, 2, 3, 4])); p = assumeSorted(a).lowerBound(6); assert(equal(p, [ 0, 1, 2, 3, 4, 5])); p = assumeSorted(a).lowerBound(6.9); assert(equal(p, [ 0, 1, 2, 3, 4, 5, 6])); } unittest { int[] a = [ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]; auto p = assumeSorted(a).upperBound(3); assert(equal(p, [4, 4, 5, 6 ])); p = assumeSorted(a).upperBound(4.2); assert(equal(p, [ 5, 6 ])); } unittest { int[] a = [ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]; auto p = assumeSorted(a).equalRange(3); assert(equal(p, [ 3, 3, 3 ]), text(p)); p = assumeSorted(a).equalRange(4); assert(equal(p, [ 4, 4 ]), text(p)); p = assumeSorted(a).equalRange(2); assert(equal(p, [ 2 ])); p = assumeSorted(a).equalRange(0); assert(p.empty); p = assumeSorted(a).equalRange(7); assert(p.empty); p = assumeSorted(a).equalRange(3.0); assert(equal(p, [ 3, 3, 3])); } unittest { int[] a = [ 1, 2, 3, 3, 3, 4, 4, 5, 6 ]; if (a.length) { auto b = a[a.length / 2]; //auto r = sort(a); //assert(r.contains(b)); } } unittest { auto a = [ 5, 7, 34, 345, 677 ]; auto r = assumeSorted(a); a = null; r = assumeSorted(a); a = [ 1 ]; r = assumeSorted(a); bool ok = true; try { auto r2 = assumeSorted([ 677, 345, 34, 7, 5 ]); debug ok = false; } catch (Throwable) { } assert(ok); } /++ Wrapper which effectively makes it possible to pass a range by reference. Both the original range and the RefRange will always have the exact same elements. Any operation done on one will affect the other. So, for instance, if it's passed to a function which would implicitly copy the original range if it were passed to it, the original range is $(I not) copied but is consumed as if it were a reference type. Note that $(D save) works as normal and operates on a new range, so if $(D save) is ever called on the RefRange, then no operations on the saved range will affect the original. Examples: -------------------- import std.algorithm; ubyte[] buffer = [1, 9, 45, 12, 22]; auto found1 = find(buffer, 45); assert(found1 == [45, 12, 22]); assert(buffer == [1, 9, 45, 12, 22]); auto wrapped1 = refRange(&buffer); auto found2 = find(wrapped1, 45); assert(*found2.ptr == [45, 12, 22]); assert(buffer == [45, 12, 22]); auto found3 = find(wrapped2.save, 22); assert(*found3.ptr == [22]); assert(buffer == [45, 12, 22]); string str = "hello world"; auto wrappedStr = refRange(&str); assert(str.front == 'h'); str.popFrontN(5); assert(str == " world"); assert(wrappedStr.front == ' '); assert(*wrappedStr.ptr == " world"); -------------------- +/ struct RefRange(R) if(isForwardRange!R) { public: /++ +/ this(R* range) @safe pure nothrow { _range = range; } /++ This does not assign the pointer of $(D rhs) to this $(D RefRange). Rather it assigns the range pointed to by $(D rhs) to the range pointed to by this $(D RefRange). This is because $(I any) operation on a $(D RefRange) is the same is if it occurred to the original range. The one exception is when a $(D RefRange) is assigned $(D null) either directly or because $(D rhs) is $(D null). In that case, $(D RefRange) no longer refers to the original range but is $(D null). Examples: -------------------- ubyte[] buffer1 = [1, 2, 3, 4, 5]; ubyte[] buffer2 = [6, 7, 8, 9, 10]; auto wrapped1 = refRange(&buffer1); auto wrapped2 = refRange(&buffer2); assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); assert(buffer1 != buffer2); wrapped1 = wrapped2; //Everything points to the same stuff as before. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); //But buffer1 has changed due to the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [6, 7, 8, 9, 10]); buffer2 = [11, 12, 13, 14, 15]; //Everything points to the same stuff as before. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); //But buffer2 has changed due to the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [11, 12, 13, 14, 15]); wrapped2 = null; //The pointer changed for wrapped2 but not wrapped1. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is null); assert(wrapped1.ptr !is wrapped2.ptr); //buffer2 is not affected by the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [11, 12, 13, 14, 15]); -------------------- +/ auto opAssign(RefRange rhs) { if(_range && rhs._range) *_range = *rhs._range; else _range = rhs._range; return this; } /++ +/ auto opAssign(typeof(null) rhs) { _range = null; } /++ A pointer to the wrapped range. +/ @property inout(R*) ptr() @safe inout pure nothrow { return _range; } version(StdDdoc) { /++ +/ @property auto front() {assert(0);} /++ Ditto +/ @property auto front() const {assert(0);} /++ Ditto +/ @property auto front(ElementType!R value) {assert(0);} } else { @property auto front() { return (*_range).front; } static if(is(typeof((*(cast(const R*)_range)).front))) @property ElementType!R front() const { return (*_range).front; } static if(is(typeof((*_range).front = (*_range).front))) @property auto front(ElementType!R value) { return (*_range).front = value; } } version(StdDdoc) { @property bool empty(); /// @property bool empty() const; ///Ditto } else static if(isInfinite!R) enum empty = false; else { @property bool empty() { return (*_range).empty; } static if(is(typeof((*cast(const R*)_range).empty))) @property bool empty() const { return (*_range).empty; } } /++ +/ void popFront() { return (*_range).popFront(); } version(StdDdoc) { /++ +/ @property auto save() {assert(0);} /++ Ditto +/ @property auto save() const {assert(0);} /++ Ditto +/ auto opSlice() {assert(0);} /++ Ditto +/ auto opSlice() const {assert(0);} } else { private static void _testSave(R)(R* range) { (*range).save; } static if(isSafe!(_testSave!R)) { @property auto save() @trusted { mixin(_genSave()); } static if(is(typeof((*cast(const R*)_range).save))) @property auto save() @trusted const { mixin(_genSave()); } } else { @property auto save() { mixin(_genSave()); } static if(is(typeof((*cast(const R*)_range).save))) @property auto save() const { mixin(_genSave()); } } auto opSlice()() { return save; } auto opSlice()() const { return save; } private static string _genSave() @safe pure nothrow { return `import std.conv;` ~ `alias typeof((*_range).save) S;` ~ `static assert(isForwardRange!S, S.stringof ~ " is not a forward range.");` ~ `auto mem = new void[S.sizeof];` ~ `emplace!S(mem, cast(S)(*_range).save);` ~ `return RefRange!S(cast(S*)mem.ptr);`; } static assert(isForwardRange!RefRange); } version(StdDdoc) { /++ Only defined if $(D isBidirectionalRange!R) is $(D true). +/ @property auto back() {assert(0);} /++ Ditto +/ @property auto back() const {assert(0);} /++ Ditto +/ @property auto back(ElementType!R value) {assert(0);} } else static if(isBidirectionalRange!R) { @property auto back() { return (*_range).back; } static if(is(typeof((*(cast(const R*)_range)).back))) @property ElementType!R back() const { return (*_range).back; } static if(is(typeof((*_range).back = (*_range).back))) @property auto back(ElementType!R value) { return (*_range).back = value; } } /++ Ditto +/ static if(isBidirectionalRange!R) void popBack() { return (*_range).popBack(); } version(StdDdoc) { /++ Only defined if $(D isRandomAccesRange!R) is $(D true). +/ auto ref opIndex(IndexType)(IndexType index) {assert(0);} /++ Ditto +/ auto ref opIndex(IndexType)(IndexType index) const {assert(0);} } else static if(isRandomAccessRange!R) { auto ref opIndex(IndexType)(IndexType index) if(is(typeof((*_range)[index]))) { return (*_range)[index]; } auto ref opIndex(IndexType)(IndexType index) const if(is(typeof((*cast(const R*)_range)[index]))) { return (*_range)[index]; } } /++ Only defined if $(D hasMobileElements!R) and $(D isForwardRange!R) are $(D true). +/ static if(hasMobileElements!R && isForwardRange!R) auto moveFront() { return (*_range).moveFront(); } /++ Only defined if $(D hasMobileElements!R) and $(D isBidirectionalRange!R) are $(D true). +/ static if(hasMobileElements!R && isBidirectionalRange!R) auto moveBack() { return (*_range).moveBack(); } /++ Only defined if $(D hasMobileElements!R) and $(D isRandomAccessRange!R) are $(D true). +/ static if(hasMobileElements!R && isRandomAccessRange!R) auto moveAt(IndexType)(IndexType index) if(is(typeof((*_range).moveAt(index)))) { return (*_range).moveAt(index); } version(StdDdoc) { /++ Only defined if $(D hasLength!R) is $(D true). +/ @property auto length() {assert(0);} /++ Ditto +/ @property auto length() const {assert(0);} } else static if(hasLength!R) { @property auto length() { return (*_range).length; } static if(is(typeof((*cast(const R*)_range).length))) @property auto length() const { return (*_range).length; } } version(StdDdoc) { /++ Only defined if $(D hasSlicing!R) is $(D true). +/ auto opSlice(IndexType1, IndexType2) (IndexType1 begin, IndexType2 end) {assert(0);} /++ Ditto +/ auto opSlice(IndexType1, IndexType2) (IndexType1 begin, IndexType2 end) const {assert(0);} } else static if(hasSlicing!R) { auto opSlice(IndexType1, IndexType2) (IndexType1 begin, IndexType2 end) if(is(typeof((*_range)[begin .. end]))) { mixin(_genOpSlice()); } auto opSlice(IndexType1, IndexType2) (IndexType1 begin, IndexType2 end) const if(is(typeof((*cast(const R*)_range)[begin .. end]))) { mixin(_genOpSlice()); } private static string _genOpSlice() @safe pure nothrow { return `import std.conv;` ~ `alias typeof((*_range)[begin .. end]) S;` ~ `static assert(hasSlicing!S, S.stringof ~ " is not sliceable.");` ~ `auto mem = new void[S.sizeof];` ~ `emplace!S(mem, cast(S)(*_range)[begin .. end]);` ~ `return RefRange!S(cast(S*)mem.ptr);`; } } private: R* _range; } //Verify Example. unittest { import std.algorithm; ubyte[] buffer = [1, 9, 45, 12, 22]; auto found1 = find(buffer, 45); assert(found1 == [45, 12, 22]); assert(buffer == [1, 9, 45, 12, 22]); auto wrapped1 = refRange(&buffer); auto found2 = find(wrapped1, 45); assert(*found2.ptr == [45, 12, 22]); assert(buffer == [45, 12, 22]); auto found3 = find(wrapped1.save, 22); assert(*found3.ptr == [22]); assert(buffer == [45, 12, 22]); string str = "hello world"; auto wrappedStr = refRange(&str); assert(str.front == 'h'); str.popFrontN(5); assert(str == " world"); assert(wrappedStr.front == ' '); assert(*wrappedStr.ptr == " world"); } //Verify opAssign Example. unittest { ubyte[] buffer1 = [1, 2, 3, 4, 5]; ubyte[] buffer2 = [6, 7, 8, 9, 10]; auto wrapped1 = refRange(&buffer1); auto wrapped2 = refRange(&buffer2); assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); assert(buffer1 != buffer2); wrapped1 = wrapped2; //Everything points to the same stuff as before. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); //But buffer1 has changed due to the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [6, 7, 8, 9, 10]); buffer2 = [11, 12, 13, 14, 15]; //Everything points to the same stuff as before. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is &buffer2); assert(wrapped1.ptr !is wrapped2.ptr); //But buffer2 has changed due to the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [11, 12, 13, 14, 15]); wrapped2 = null; //The pointer changed for wrapped2 but not wrapped1. assert(wrapped1.ptr is &buffer1); assert(wrapped2.ptr is null); assert(wrapped1.ptr !is wrapped2.ptr); //buffer2 is not affected by the assignment. assert(buffer1 == [6, 7, 8, 9, 10]); assert(buffer2 == [11, 12, 13, 14, 15]); } unittest { import std.algorithm; { ubyte[] buffer = [1, 2, 3, 4, 5]; auto wrapper = refRange(&buffer); auto p = wrapper.ptr; auto f = wrapper.front; wrapper.front = f; auto e = wrapper.empty; wrapper.popFront(); auto s = wrapper.save; auto b = wrapper.back; wrapper.back = b; wrapper.popBack(); auto i = wrapper[0]; wrapper.moveFront(); wrapper.moveBack(); wrapper.moveAt(0); auto l = wrapper.length; auto sl = wrapper[0 .. 1]; } { ubyte[] buffer = [1, 2, 3, 4, 5]; const wrapper = refRange(&buffer); const p = wrapper.ptr; const f = wrapper.front; const e = wrapper.empty; const s = wrapper.save; const b = wrapper.back; const i = wrapper[0]; const l = wrapper.length; const sl = wrapper[0 .. 1]; } { ubyte[] buffer = [1, 2, 3, 4, 5]; auto filtered = filter!"true"(buffer); auto wrapper = refRange(&filtered); auto p = wrapper.ptr; auto f = wrapper.front; wrapper.front = f; auto e = wrapper.empty; wrapper.popFront(); auto s = wrapper.save; wrapper.moveFront(); } { ubyte[] buffer = [1, 2, 3, 4, 5]; auto filtered = filter!"true"(buffer); const wrapper = refRange(&filtered); const p = wrapper.ptr; //Cannot currently be const. filter needs to be updated to handle const. /+ const f = wrapper.front; const e = wrapper.empty; const s = wrapper.save; +/ } { string str = "hello world"; auto wrapper = refRange(&str); auto p = wrapper.ptr; auto f = wrapper.front; auto e = wrapper.empty; wrapper.popFront(); auto s = wrapper.save; auto b = wrapper.back; wrapper.popBack(); } } //Test assignment. unittest { ubyte[] buffer1 = [1, 2, 3, 4, 5]; ubyte[] buffer2 = [6, 7, 8, 9, 10]; RefRange!(ubyte[]) wrapper1; RefRange!(ubyte[]) wrapper2 = refRange(&buffer2); assert(wrapper1.ptr is null); assert(wrapper2.ptr is &buffer2); wrapper1 = refRange(&buffer1); assert(wrapper1.ptr is &buffer1); wrapper1 = wrapper2; assert(wrapper1.ptr is &buffer1); assert(buffer1 == buffer2); wrapper1 = RefRange!(ubyte[]).init; assert(wrapper1.ptr is null); assert(wrapper2.ptr is &buffer2); assert(buffer1 == buffer2); assert(buffer1 == [6, 7, 8, 9, 10]); wrapper2 = null; assert(wrapper2.ptr is null); assert(buffer2 == [6, 7, 8, 9, 10]); } unittest { import std.algorithm; //Test that ranges are properly consumed. { int[] arr = [1, 42, 2, 41, 3, 40, 4, 42, 9]; auto wrapper = refRange(&arr); assert(*find(wrapper, 41).ptr == [41, 3, 40, 4, 42, 9]); assert(arr == [41, 3, 40, 4, 42, 9]); assert(*drop(wrapper, 2).ptr == [40, 4, 42, 9]); assert(arr == [40, 4, 42, 9]); assert(equal(until(wrapper, 42), [40, 4])); assert(arr == [42, 9]); assert(find(wrapper, 12).empty); assert(arr.empty); } { string str = "Hello, world-like object."; auto wrapper = refRange(&str); assert(*find(wrapper, "l").ptr == "llo, world-like object."); assert(str == "llo, world-like object."); assert(equal(take(wrapper, 5), "llo, ")); assert(str == "world-like object."); } //Test that operating on saved ranges does not consume the original. { int[] arr = [1, 42, 2, 41, 3, 40, 4, 42, 9]; auto wrapper = refRange(&arr); auto saved = wrapper.save; saved.popFrontN(3); assert(*saved.ptr == [41, 3, 40, 4, 42, 9]); assert(arr == [1, 42, 2, 41, 3, 40, 4, 42, 9]); } { string str = "Hello, world-like object."; auto wrapper = refRange(&str); auto saved = wrapper.save; saved.popFrontN(13); assert(*saved.ptr == "like object."); assert(str == "Hello, world-like object."); } //Test that functions which use save work properly. { int[] arr = [1, 42]; auto wrapper = refRange(&arr); assert(equal(commonPrefix(wrapper, [1, 27]), [1])); } { int[] arr = [4, 5, 6, 7, 1, 2, 3]; auto wrapper = refRange(&arr); assert(bringToFront(wrapper[0 .. 4], wrapper[4 .. arr.length]) == 3); assert(arr == [1, 2, 3, 4, 5, 6, 7]); } //Test bidirectional functions. { int[] arr = [1, 42, 2, 41, 3, 40, 4, 42, 9]; auto wrapper = refRange(&arr); assert(wrapper.back == 9); assert(arr == [1, 42, 2, 41, 3, 40, 4, 42, 9]); wrapper.popBack(); assert(arr == [1, 42, 2, 41, 3, 40, 4, 42]); } { string str = "Hello, world-like object."; auto wrapper = refRange(&str); assert(wrapper.back == '.'); assert(str == "Hello, world-like object."); wrapper.popBack(); assert(str == "Hello, world-like object"); } //Test random access functions. { int[] arr = [1, 42, 2, 41, 3, 40, 4, 42, 9]; auto wrapper = refRange(&arr); assert(wrapper[2] == 2); assert(arr == [1, 42, 2, 41, 3, 40, 4, 42, 9]); assert(*wrapper[3 .. 6].ptr, [41, 3, 40]); assert(arr == [1, 42, 2, 41, 3, 40, 4, 42, 9]); } //Test move functions. { int[] arr = [1, 42, 2, 41, 3, 40, 4, 42, 9]; auto wrapper = refRange(&arr); auto t1 = wrapper.moveFront(); auto t2 = wrapper.moveBack(); wrapper.front = t2; wrapper.back = t1; assert(arr == [9, 42, 2, 41, 3, 40, 4, 42, 1]); sort(wrapper.save); assert(arr == [1, 2, 3, 4, 9, 40, 41, 42, 42]); } } unittest { struct S { @property int front() @safe const pure nothrow { return 0; } enum bool empty = false; void popFront() @safe pure nothrow { } @property auto save() @safe pure nothrow { return this; } } S s; auto wrapper = refRange(&s); static assert(isInfinite!(typeof(wrapper))); } unittest { class C { @property int front() @safe const pure nothrow { return 0; } @property bool empty() @safe const pure nothrow { return false; } void popFront() @safe pure nothrow { } @property auto save() @safe pure nothrow { return this; } } static assert(isForwardRange!C); auto c = new C; auto cWrapper = refRange(&c); static assert(is(typeof(cWrapper) == C)); assert(cWrapper is c); struct S { @property int front() @safe const pure nothrow { return 0; } @property bool empty() @safe const pure nothrow { return false; } void popFront() @safe pure nothrow { } int i = 27; } static assert(isInputRange!S); static assert(!isForwardRange!S); auto s = S(42); auto sWrapper = refRange(&s); static assert(is(typeof(sWrapper) == S)); assert(sWrapper == s); } /++ Helper function for constructing a $(LREF RefRange). If the given range is not a forward range or it is a class type (and thus is already a reference type), then the original range is returned rather than a $(LREF RefRange). +/ auto refRange(R)(R* range) if(isForwardRange!R && !is(R == class)) { return RefRange!R(range); } auto refRange(R)(R* range) if((!isForwardRange!R && isInputRange!R) || is(R == class)) { return *range; } /*****************************************************************************/ unittest // bug 9060 { // fix for std.algorithm auto r = map!(x => 0)([1]); chain(r, r); zip(r, r); roundRobin(r, r); struct NRAR { typeof(r) input; @property empty() { return input.empty; } @property front() { return input.front; } void popFront() { input.popFront(); } @property save() { return NRAR(input.save); } } auto n1 = NRAR(r); cycle(n1); // non random access range version assumeSorted(r); // fix for std.range joiner([r], [9]); struct NRAR2 { NRAR input; @property empty() { return true; } @property front() { return input; } void popFront() { } @property save() { return NRAR2(input.save); } } auto n2 = NRAR2(n1); joiner(n2); group(r); until(r, 7); static void foo(R)(R r) { until!(x => x > 7)(r); } foo(r); }
D
module armos.types.color; import armos.math; /++ +/ struct BaseColor(T, T Limit){ alias C = BaseColor!(T, Limit); public{ /// Upper limit of each channel. enum T limit = Limit; /// Red Channel. T r = limit; /// Green Channel. T g = limit; /// Blue Channel. T b = limit; /// Alpha Channel. T a = limit; /++ 16進数のカラーコードで色を指定します. +/ this(in int hexColor, in float alpha = limit){ char r255 = (hexColor >> 16) & 0xff; char g255 = (hexColor >> 8) & 0xff; char b255 = (hexColor >> 0) & 0xff; import std.conv:to; r = (r255.to!float*limit/255.0f).to!T; g = (g255.to!float*limit/255.0f).to!T; b = (b255.to!float*limit/255.0f).to!T; a = cast(T)alpha; } /++ RGBAで色を指定します.透明度は省略可能です. +/ this(in float red, in float green, in float blue, in float alpha = limit){ assert(red <= limit); assert(green <= limit); assert(blue <= limit); assert(alpha <= limit); r = armos.math.clamp(cast(T)red, T(0), limit); g = armos.math.clamp(cast(T)green, T(0), limit); b = armos.math.clamp(cast(T)blue, T(0), limit); a = armos.math.clamp(cast(T)alpha, T(0), limit); } this(V)(V v)if(isVector!(V) && V.dimention == 4){ import std.conv; r = (v.x.to!float * limit.to!float).to!T; g = (v.y.to!float * limit.to!float).to!T; b = (v.z.to!float * limit.to!float).to!T; a = (v.w.to!float * limit.to!float).to!T; } /++ 色の加算を行います. +/ C opAdd(in C color)const{ import std.conv; C result; float alphaPercentageL = this.a.to!float/limit.to!float; float alphaPercentageR = color.a.to!float/color.limit.to!float; import std.math; result.r = fmax(fmin( this.r.to!float * alphaPercentageL + color.r.to!float * alphaPercentageR, this.limit), float(0)).to!T; result.g = fmax(fmin( this.g.to!float * alphaPercentageL + color.g.to!float * alphaPercentageR, this.limit), float(0)).to!T; result.b = fmax(fmin( this.b.to!float * alphaPercentageL + color.b.to!float * alphaPercentageR, this.limit), float(0)).to!T; return result; } unittest{ alias C = BaseColor!(char, 255); immutable colorL = C(128, 64, 0, 255); immutable colorR = C(128, 0, 64, 255); assert(colorL + colorR == C(255, 64, 64, 255)); } /++ 色の減算を行います. +/ C opSub(in C color)const{ import std.conv; C result; float alphaPercentageL = this.a.to!float/limit.to!float; float alphaPercentageR = color.a.to!float/color.limit.to!float; import std.math; result.r = fmax(fmin( this.r.to!float * alphaPercentageL - color.r.to!float * alphaPercentageR, this.limit), float(0)).to!T; result.g = fmax(fmin( this.g.to!float * alphaPercentageL - color.g.to!float * alphaPercentageR, this.limit), float(0)).to!T; result.b = fmax(fmin( this.b.to!float * alphaPercentageL - color.b.to!float * alphaPercentageR, this.limit), float(0)).to!T; return result; } unittest{ alias C = BaseColor!(char, 255); immutable colorL = C(128, 64, 64, 255); immutable colorR = C(128, 0, 32, 255); assert(colorL - colorR == C(0, 64, 32, 255)); } /++ 色をHSBで指定します. Params: hue = [0, 255] saturation = [0, 255] value = [0, 255] +/ C hsb(Hue, Saturation, Value)(in Hue hue, in Saturation saturation, in Value value)if(__traits(isArithmetic, Hue, Saturation, Value)){ import std.math; import std.conv; immutable float castedLimit = limit.to!float; immutable float h = hue.to!float*360.0f/castedLimit; immutable int hi = ( floor(h / 60.0f) % 6 ).to!int; immutable f = (h / 60.0f) - floor(h / 60.0f); immutable p = round(value * (1.0f - (saturation / castedLimit))); immutable q = round(value * (1.0f - (saturation / castedLimit) * f)); immutable t = round(value * (1.0f - (saturation / castedLimit) * (1.0f - f))); float red, green, blue; switch (hi) { case 0: red = value, green = t, blue = p; break; case 1: red = q, green = value, blue = p; break; case 2: red = p, green = value, blue = t; break; case 3: red = p, green = q, blue = value; break; case 4: red = t, green = p, blue = value; break; case 5: red = value, green = p, blue = q; break; default: break; } r = red.to!T; g = green.to!T; b = blue.to!T; return this; } unittest{ import std.conv; auto cColor = BaseColor!(char, 255)(128, 0, 0, 255); cColor.hsb(0, 255, 255); assert(cColor.r.to!int == 255); assert(cColor.g.to!int == 0); assert(cColor.b.to!int == 0); cColor.hsb(255, 255, 255); assert(cColor.r.to!int == 255); assert(cColor.g.to!int == 0); assert(cColor.b.to!int == 0); // import std.stdio; // cColor.r.to!int.writeln; // cColor.g.to!int.writeln; // cColor.b.to!int.writeln; cColor.hsb(255.0/3.0, 255.0, 255.0); assert(cColor.r.to!int == 0); assert(cColor.g.to!int == 255); assert(cColor.b.to!int == 0); } F opCast(F)()const if(!isVector!F && is(F == BaseColor!(typeof( F.r ), F.limit))){ import std.conv:to; F castedColor= F(0, 0, 0, 0); float c = cast(float)castedColor.limit / cast(float)limit; alias CT = typeof(F.r); castedColor.r = cast(CT)( cast(float)r*c ); castedColor.g = cast(CT)( cast(float)g*c ); castedColor.b = cast(CT)( cast(float)b*c ); castedColor.a = cast(CT)( cast(float)a*c ); return castedColor; } unittest{ import std.stdio; import std.math; auto cColor = BaseColor!(char, 255)(128, 0, 0, 255); assert(approxEqual( ( cast(BaseColor!(float, 1.0f))cColor ).r, 128.0/255.0 )); auto fColor = BaseColor!(float, 1.0f)(0.5, 0.0, 0.0, 1.0); assert(approxEqual( ( cast(BaseColor!(char, 255))cColor ).r, 128)); } CastType opCast(CastType)()const if(isVector!CastType && CastType.dimention == 4 && is(CastType.elementType == T)){ return CastType!(T, 4)(r, g, b, a); } }//public private{ }//private }//struct BaseColor /++ 色を表すstructです. 最小値は0,最大値は1です. +/ alias BaseColor!(float, 1.0f) Color; unittest{ assert(__traits(compiles, (){ auto color = Color(); })); } /++ 色を表すstructです.浮動小数点型で値を持ちます. 最小値は0.0,最大値は1.0です. +/ deprecated alias BaseColor!(float, 1.0f) FloatColor; unittest{ assert(__traits(compiles, (){ auto color = FloatColor(); })); }
D
instance PC_Fighter_NW_nach_DJG(Npc_Default) { name[0] = "Горн"; guild = GIL_DJG; id = 706; voice = 12; flags = 0; npcType = NPCTYPE_FRIEND; B_SetAttributesToChapter(self,6); fight_tactic = FAI_HUMAN_MASTER; EquipItem(self,ItMw_2h_Sld_Axe); EquipItem(self,ItRw_Crossbow_M_01); B_CreateAmbientInv(self); B_CreateItemToSteal(self,10,ItMi_Gold,25); B_SetNpcVisual(self,MALE,"Hum_Head_Fighter",Face_B_Gorn,BodyTex_B,ITAR_DJG_H); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Militia.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,70); daily_routine = Rtn_Start_706; }; func void Rtn_Start_706() { TA_Sit_Chair(8,0,23,0,"NW_BIGFARM_HOUSE_14"); TA_Sit_Chair(23,0,8,0,"NW_BIGFARM_HOUSE_14"); }; func void Rtn_Tot_706() { TA_Sit_Campfire(8,0,23,0,"TOT"); TA_Sit_Campfire(23,0,8,0,"TOT"); }; func void Rtn_WAITFORSHIP_706() { TA_Stand_Guarding(8,0,23,0,"NW_WAITFOR_SHIP_05"); TA_Stand_Guarding(23,0,8,0,"NW_WAITFOR_SHIP_05"); }; func void Rtn_Ship_706() { TA_Stand_Guarding(6,0,7,0,"SHIP_DECK_03"); TA_Stand_Guarding(7,0,7,10,"SHIP_DECK_37"); TA_Stand_Guarding(7,10,7,20,"SHIP_DECK_03"); TA_Stand_Guarding(7,20,7,30,"SHIP_DECK_37"); TA_Stand_Guarding(7,30,7,40,"SHIP_DECK_03"); TA_Stand_Guarding(7,40,7,50,"SHIP_DECK_30"); TA_Stand_Guarding(7,50,8,0,"SHIP_DECK_03"); TA_Stand_Guarding(8,0,8,10,"SHIP_DECK_37"); TA_Stand_Guarding(8,10,8,20,"SHIP_DECK_03"); TA_Stand_Guarding(8,20,8,30,"SHIP_DECK_37"); TA_Stand_Guarding(8,30,8,40,"SHIP_DECK_03"); TA_Stand_Guarding(8,40,8,50,"SHIP_DECK_30"); TA_Stand_Guarding(8,50,9,0,"SHIP_DECK_03"); TA_Stand_Guarding(9,0,9,10,"SHIP_DECK_37"); TA_Stand_Guarding(9,10,9,20,"SHIP_DECK_03"); TA_Stand_Guarding(9,20,9,30,"SHIP_DECK_37"); TA_Stand_Guarding(9,30,9,40,"SHIP_DECK_03"); TA_Stand_Guarding(9,40,9,50,"SHIP_DECK_30"); TA_Stand_Guarding(9,50,10,0,"SHIP_DECK_03"); TA_Stand_Guarding(10,0,10,10,"SHIP_DECK_37"); TA_Stand_Guarding(10,10,10,20,"SHIP_DECK_03"); TA_Stand_Guarding(10,20,10,30,"SHIP_DECK_37"); TA_Stand_Guarding(10,30,10,40,"SHIP_DECK_03"); TA_Stand_Guarding(10,40,10,50,"SHIP_DECK_30"); TA_Stand_Guarding(10,50,11,0,"SHIP_DECK_03"); TA_Stand_Guarding(11,0,11,10,"SHIP_DECK_37"); TA_Stand_Guarding(11,10,11,20,"SHIP_DECK_03"); TA_Stand_Guarding(11,20,11,30,"SHIP_DECK_37"); TA_Stand_Guarding(11,30,11,40,"SHIP_DECK_03"); TA_Stand_Guarding(11,40,11,50,"SHIP_DECK_30"); TA_Stand_Guarding(11,50,12,0,"SHIP_DECK_03"); TA_Stand_Guarding(12,0,12,10,"SHIP_DECK_37"); TA_Stand_Guarding(12,10,12,20,"SHIP_DECK_03"); TA_Stand_Guarding(12,20,12,30,"SHIP_DECK_37"); TA_Stand_Guarding(12,30,12,40,"SHIP_DECK_03"); TA_Stand_Guarding(12,40,12,50,"SHIP_DECK_30"); TA_Stand_Guarding(12,50,13,0,"SHIP_DECK_03"); TA_Stand_Guarding(13,0,13,10,"SHIP_DECK_37"); TA_Stand_Guarding(13,10,13,20,"SHIP_DECK_03"); TA_Stand_Guarding(13,20,13,30,"SHIP_DECK_37"); TA_Stand_Guarding(13,30,13,40,"SHIP_DECK_03"); TA_Stand_Guarding(13,40,13,50,"SHIP_DECK_30"); TA_Stand_Guarding(13,50,14,0,"SHIP_DECK_03"); TA_Stand_Guarding(14,0,14,10,"SHIP_DECK_37"); TA_Stand_Guarding(14,10,14,20,"SHIP_DECK_03"); TA_Stand_Guarding(14,20,14,30,"SHIP_DECK_37"); TA_Stand_Guarding(14,30,14,40,"SHIP_DECK_03"); TA_Stand_Guarding(14,40,14,50,"SHIP_DECK_30"); TA_Stand_Guarding(14,50,15,0,"SHIP_DECK_03"); TA_Stand_Guarding(15,0,15,10,"SHIP_DECK_37"); TA_Stand_Guarding(15,10,15,20,"SHIP_DECK_03"); TA_Stand_Guarding(15,20,15,30,"SHIP_DECK_37"); TA_Stand_Guarding(15,30,15,40,"SHIP_DECK_03"); TA_Stand_Guarding(15,40,15,50,"SHIP_DECK_30"); TA_Stand_Guarding(15,50,16,0,"SHIP_DECK_03"); TA_Stand_Guarding(16,0,16,10,"SHIP_DECK_37"); TA_Stand_Guarding(16,10,16,20,"SHIP_DECK_03"); TA_Stand_Guarding(16,20,16,30,"SHIP_DECK_37"); TA_Stand_Guarding(16,30,16,40,"SHIP_DECK_03"); TA_Stand_Guarding(16,40,16,50,"SHIP_DECK_03"); TA_Stand_Guarding(16,50,17,0,"SHIP_DECK_03"); TA_Stand_Guarding(17,0,17,10,"SHIP_DECK_37"); TA_Stand_Guarding(17,10,17,20,"SHIP_DECK_03"); TA_Stand_Guarding(17,20,17,30,"SHIP_DECK_37"); TA_Stand_Guarding(17,30,17,40,"SHIP_DECK_03"); TA_Stand_Guarding(17,40,17,50,"SHIP_DECK_30"); TA_Stand_Guarding(17,50,18,0,"SHIP_DECK_03"); TA_Stand_Guarding(18,0,18,10,"SHIP_DECK_37"); TA_Stand_Guarding(18,10,18,20,"SHIP_DECK_03"); TA_Stand_Guarding(18,20,18,30,"SHIP_DECK_37"); TA_Stand_Guarding(18,30,18,40,"SHIP_DECK_03"); TA_Stand_Guarding(18,40,18,50,"SHIP_DECK_30"); TA_Stand_Guarding(18,50,19,0,"SHIP_DECK_03"); TA_Stand_Guarding(19,0,19,10,"SHIP_DECK_37"); TA_Stand_Guarding(19,10,19,20,"SHIP_DECK_03"); TA_Stand_Guarding(19,20,19,30,"SHIP_DECK_37"); TA_Stand_Guarding(19,30,19,40,"SHIP_DECK_03"); TA_Stand_Guarding(19,40,19,50,"SHIP_DECK_30"); TA_Stand_Guarding(19,50,20,0,"SHIP_DECK_03"); TA_Stand_Guarding(20,0,20,10,"SHIP_DECK_37"); TA_Stand_Guarding(20,10,20,20,"SHIP_DECK_03"); TA_Stand_Guarding(20,20,20,30,"SHIP_DECK_37"); TA_Stand_Guarding(20,30,20,40,"SHIP_DECK_03"); TA_Stand_Guarding(20,40,20,50,"SHIP_DECK_30"); TA_Stand_Guarding(20,50,21,0,"SHIP_DECK_03"); TA_Stand_Guarding(21,0,21,10,"SHIP_DECK_37"); TA_Stand_Guarding(21,10,21,20,"SHIP_DECK_03"); TA_Stand_Guarding(21,20,21,30,"SHIP_DECK_37"); TA_Stand_Guarding(21,30,21,40,"SHIP_DECK_03"); TA_Stand_Guarding(21,40,21,50,"SHIP_DECK_30"); TA_Stand_Guarding(21,50,22,0,"SHIP_DECK_03"); TA_Stand_Guarding(22,0,23,0,"SHIP_DECK_37"); TA_Stand_Guarding(23,0,0,0,"SHIP_DECK_03"); TA_Stand_Guarding(0,0,1,0,"SHIP_DECK_37"); TA_Stand_Guarding(1,0,2,0,"SHIP_DECK_30"); TA_Stand_Guarding(2,0,3,0,"SHIP_DECK_03"); TA_Stand_Guarding(3,0,4,0,"SHIP_DECK_30"); TA_Stand_Guarding(4,0,5,0,"SHIP_DECK_03"); TA_Stand_Guarding(5,0,6,0,"SHIP_DECK_37"); };
D
/Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/Objects-normal/x86_64/WebMessageListener.o : /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/Size2D.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WindowIdJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnLoadResourceJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/LastTouchedAnchorOrImageJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/JavaScriptBridgeJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/EnableViewportScaleJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/ConsoleLogJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageChannelJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PromisePolyfillJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/SupportZoomJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageListenerJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/CallAsyncJavaScriptBelowIOS14WrapperJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindTextHighlightJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OriginalViewPortMetaTagContentJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowBlurEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowFocusEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindElementsAtPointJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PrintJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptFetchRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptAjaxRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewStatic.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKContentWorld.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLProtectionSpace.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessage.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HttpAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ClientCertChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ServerTrustChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CredentialDatabase.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SecCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/FlutterMethodCallDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/NSAttributedString.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLCredential.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageChannel.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Util.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PlatformUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PluginScriptsUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshControl.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKSecurityOrigin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SwiftFlutterPlugin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationAction.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKFrameInfo.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/LeakAvoider.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyWebStorageManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyCookieManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/WKProcessPoolManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/ChromeSafariBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebViewManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewMethodHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CustomeSchemeHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserNavigationController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKUserContentController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageListener.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UIColor.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslError.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKWindowFeatures.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Options.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/ContextMenuOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebViewOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/HitTestResult.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/PluginScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UserScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessagePort.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebViewTransport.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLRequest.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewFactory.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/simd.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Accessibility.framework/Modules/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/simd.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/OrderedSet/OrderedSet-umbrella.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/flutter_inappwebview/flutter_inappwebview-umbrella.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCallbackCache.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngine.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterTexture.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPluginAppLifeCycleDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterAppDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlugin.h /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewFlutterPlugin.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngineGroup.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterBinaryMessenger.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterViewController.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterHeadlessDartRunner.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/Flutter.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCodecs.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterChannels.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterMacros.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlatformViews.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterDartProject.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Headers/OrderedSet-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet6.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/kcdata.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/uuid.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/device.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/unextended-module.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/OrderedSet.build/module.modulemap /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_debug.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/bank.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_posix_sys_types.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_cdefs.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/net.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.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/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFAudio.framework/Headers/AVFAudio.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UniformTypeIdentifiers.framework/Headers/UniformTypeIdentifiers.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Modules/OrderedSet.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/Objects-normal/x86_64/WebMessageListener~partial.swiftmodule : /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/Size2D.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WindowIdJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnLoadResourceJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/LastTouchedAnchorOrImageJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/JavaScriptBridgeJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/EnableViewportScaleJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/ConsoleLogJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageChannelJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PromisePolyfillJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/SupportZoomJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageListenerJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/CallAsyncJavaScriptBelowIOS14WrapperJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindTextHighlightJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OriginalViewPortMetaTagContentJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowBlurEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowFocusEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindElementsAtPointJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PrintJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptFetchRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptAjaxRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewStatic.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKContentWorld.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLProtectionSpace.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessage.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HttpAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ClientCertChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ServerTrustChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CredentialDatabase.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SecCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/FlutterMethodCallDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/NSAttributedString.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLCredential.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageChannel.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Util.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PlatformUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PluginScriptsUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshControl.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKSecurityOrigin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SwiftFlutterPlugin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationAction.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKFrameInfo.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/LeakAvoider.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyWebStorageManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyCookieManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/WKProcessPoolManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/ChromeSafariBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebViewManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewMethodHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CustomeSchemeHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserNavigationController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKUserContentController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageListener.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UIColor.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslError.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKWindowFeatures.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Options.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/ContextMenuOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebViewOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/HitTestResult.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/PluginScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UserScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessagePort.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebViewTransport.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLRequest.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewFactory.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/simd.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Accessibility.framework/Modules/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/simd.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/OrderedSet/OrderedSet-umbrella.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/flutter_inappwebview/flutter_inappwebview-umbrella.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCallbackCache.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngine.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterTexture.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPluginAppLifeCycleDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterAppDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlugin.h /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewFlutterPlugin.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngineGroup.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterBinaryMessenger.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterViewController.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterHeadlessDartRunner.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/Flutter.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCodecs.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterChannels.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterMacros.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlatformViews.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterDartProject.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Headers/OrderedSet-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet6.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/kcdata.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/uuid.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/device.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/unextended-module.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/OrderedSet.build/module.modulemap /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_debug.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/bank.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_posix_sys_types.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_cdefs.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/net.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.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/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFAudio.framework/Headers/AVFAudio.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UniformTypeIdentifiers.framework/Headers/UniformTypeIdentifiers.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Modules/OrderedSet.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/Objects-normal/x86_64/WebMessageListener~partial.swiftdoc : /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/Size2D.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WindowIdJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnLoadResourceJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/LastTouchedAnchorOrImageJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/JavaScriptBridgeJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/EnableViewportScaleJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/ConsoleLogJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageChannelJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PromisePolyfillJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/SupportZoomJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageListenerJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/CallAsyncJavaScriptBelowIOS14WrapperJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindTextHighlightJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OriginalViewPortMetaTagContentJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowBlurEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowFocusEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindElementsAtPointJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PrintJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptFetchRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptAjaxRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewStatic.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKContentWorld.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLProtectionSpace.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessage.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HttpAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ClientCertChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ServerTrustChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CredentialDatabase.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SecCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/FlutterMethodCallDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/NSAttributedString.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLCredential.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageChannel.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Util.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PlatformUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PluginScriptsUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshControl.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKSecurityOrigin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SwiftFlutterPlugin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationAction.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKFrameInfo.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/LeakAvoider.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyWebStorageManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyCookieManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/WKProcessPoolManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/ChromeSafariBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebViewManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewMethodHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CustomeSchemeHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserNavigationController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKUserContentController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageListener.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UIColor.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslError.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKWindowFeatures.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Options.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/ContextMenuOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebViewOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/HitTestResult.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/PluginScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UserScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessagePort.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebViewTransport.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLRequest.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewFactory.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/simd.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Accessibility.framework/Modules/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/simd.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/OrderedSet/OrderedSet-umbrella.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/flutter_inappwebview/flutter_inappwebview-umbrella.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCallbackCache.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngine.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterTexture.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPluginAppLifeCycleDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterAppDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlugin.h /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewFlutterPlugin.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngineGroup.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterBinaryMessenger.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterViewController.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterHeadlessDartRunner.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/Flutter.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCodecs.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterChannels.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterMacros.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlatformViews.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterDartProject.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Headers/OrderedSet-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet6.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/kcdata.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/uuid.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/device.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/unextended-module.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/OrderedSet.build/module.modulemap /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_debug.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/bank.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_posix_sys_types.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_cdefs.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/net.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.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/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFAudio.framework/Headers/AVFAudio.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UniformTypeIdentifiers.framework/Headers/UniformTypeIdentifiers.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Modules/OrderedSet.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/Objects-normal/x86_64/WebMessageListener~partial.swiftsourceinfo : /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/Size2D.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WindowIdJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnLoadResourceJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/LastTouchedAnchorOrImageJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/JavaScriptBridgeJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/EnableViewportScaleJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/ConsoleLogJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageChannelJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PromisePolyfillJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/SupportZoomJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/WebMessageListenerJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/CallAsyncJavaScriptBelowIOS14WrapperJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindTextHighlightJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OriginalViewPortMetaTagContentJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowBlurEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/OnWindowFocusEventJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/FindElementsAtPointJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PrintJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptFetchRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/InterceptAjaxRequestJS.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewStatic.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKContentWorld.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLProtectionSpace.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessage.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HttpAuthenticationChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ClientCertChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/ServerTrustChallenge.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CredentialDatabase.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationResponse.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SecCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslCertificate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/FlutterMethodCallDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserDelegate.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/NSAttributedString.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLCredential.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageChannel.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Util.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PlatformUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PluginScriptsJS/PluginScriptsUtil.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshControl.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKSecurityOrigin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SwiftFlutterPlugin.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKNavigationAction.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKFrameInfo.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/LeakAvoider.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyWebStorageManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/MyCookieManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/WKProcessPoolManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/ChromeSafariBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebViewManager.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewMethodHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/CustomeSchemeHandler.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserNavigationController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKUserContentController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariViewController.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessageListener.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UIColor.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/SslError.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WKWindowFeatures.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Options.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/PullToRefresh/PullToRefreshOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/SafariViewController/SafariBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppBrowser/InAppBrowserOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/ContextMenuOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebViewOptions.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/HitTestResult.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/PluginScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/UserScript.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebMessagePort.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/WebViewTransport.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/Types/URLRequest.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/InAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/HeadlessInAppWebView/HeadlessInAppWebView.swift /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebView/FlutterWebViewFactory.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/simd.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/lib/swift/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Accessibility.framework/Modules/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMIDI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreMedia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/simd.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/AVFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/DataDetection.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreAudio.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/FileProvider.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UniformTypeIdentifiers.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/WebKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/_Concurrency.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/15.0/Accessibility.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/OrderedSet/OrderedSet-umbrella.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/Pods/Target\ Support\ Files/flutter_inappwebview/flutter_inappwebview-umbrella.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCallbackCache.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngine.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterTexture.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPluginAppLifeCycleDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterAppDelegate.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlugin.h /Users/tinh/Documents/flutter/.pub-cache/hosted/pub.dartlang.org/flutter_inappwebview-5.3.2/ios/Classes/InAppWebViewFlutterPlugin.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterEngineGroup.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterBinaryMessenger.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterViewController.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterHeadlessDartRunner.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/Flutter.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterCodecs.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterChannels.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterMacros.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterPlatformViews.h /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Headers/FlutterDartProject.h /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Headers/OrderedSet-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet6.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/kcdata.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/uuid.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/device.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/flutter_inappwebview.build/unextended-module.modulemap /Users/tinh/Projects/Furniture-App-UI-2-Flutter/ios/build/Pods.build/Debug-iphonesimulator/OrderedSet.build/module.modulemap /Users/tinh/Documents/flutter/bin/cache/artifacts/engine/ios/Flutter.xcframework/ios-arm64_x86_64-simulator/Flutter.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_machine.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach_debug.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/mach.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/bank.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_posix_sys_types.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/darwin_cdefs.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/net.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/netinet.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.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/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AVFAudio.framework/Headers/AVFAudio.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UniformTypeIdentifiers.framework/Headers/UniformTypeIdentifiers.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator15.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tinh/Projects/Furniture-App-UI-2-Flutter/build/ios/Debug-iphonesimulator/OrderedSet/OrderedSet.framework/Modules/OrderedSet.swiftmodule/x86_64-apple-ios-simulator.swiftmodule
D
/Users/himanshu/Downloads/Clima-iOS11-master/build/Clima.build/Debug-iphonesimulator/Clima.build/Objects-normal/x86_64/AppDelegate.o : /Users/himanshu/Downloads/Clima-iOS11-master/Clima/AppDelegate.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherDataModel.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherViewController.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/ChangeCityViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/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/himanshu/Downloads/Clima-iOS11-master/build/Clima.build/Debug-iphonesimulator/Clima.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/himanshu/Downloads/Clima-iOS11-master/Clima/AppDelegate.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherDataModel.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherViewController.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/ChangeCityViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/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/himanshu/Downloads/Clima-iOS11-master/build/Clima.build/Debug-iphonesimulator/Clima.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/himanshu/Downloads/Clima-iOS11-master/Clima/AppDelegate.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherDataModel.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/WeatherViewController.swift /Users/himanshu/Downloads/Clima-iOS11-master/Clima/ChangeCityViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/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
/* Copyright © 2020-2023, Inochi2D Project Distributed under the 2-Clause BSD License, see LICENSE file. Authors: Luna Nielsen */ module creator.windows.paramsplit; import creator.windows; import creator.core; import creator.widgets.dummy; import creator.widgets.label; import creator; import std.string; import creator.utils.link; import inochi2d; import i18n; import std.array : insertInPlace; struct ParamMapping { size_t idx; ParameterBinding[] bindings; Node node; bool take; } class ParamSplitWindow : Window { private: size_t idx; Parameter param; ParamMapping[uint] mappings; void buildMapping() { foreach(i, ref binding; param.bindings) { if (binding.getNodeUUID() !in mappings) { mappings[binding.getNodeUUID()] = ParamMapping( i, [], binding.getNode(), false ); } mappings[binding.getNodeUUID()].bindings ~= binding; } } void apply() { Parameter newParam = new Parameter(param.name~_(" (Split)"), param.isVec2); foreach(axis; 0..param.axisPoints.length) { newParam.axisPoints[axis] = param.axisPoints[axis].dup; } // TODO: remap ParameterBinding[] oldParamBindings; ParameterBinding[] newParamBindings; foreach(ref mappingNode; mappings) { if (!mappingNode.take) oldParamBindings ~= mappingNode.bindings; else newParamBindings ~= mappingNode.bindings; } if (newParamBindings.length > 0) { param.bindings = oldParamBindings; newParam.bindings = newParamBindings; incActivePuppet().parameters.insertInPlace(idx+1, newParam); } this.close(); } void oldBindingsList() { foreach(k; 0..mappings.keys.length) { auto key = mappings.keys[k]; auto mapping = &mappings[mappings.keys[k]]; if (mapping.take) continue; igSelectable(mapping.node.name.toStringz); if(igBeginDragDropSource(ImGuiDragDropFlags.SourceAllowNullID)) { igSetDragDropPayload("__OLD_TO_NEW", cast(void*)&key, (&key).sizeof, ImGuiCond.Always); incText(mapping.node.name); igEndDragDropSource(); } } } void newBindingsList() { foreach(k; 0..mappings.keys.length) { auto key = mappings.keys[k]; auto mapping = &mappings[mappings.keys[k]]; if (!mapping.take) continue; igSelectable(mapping.node.name.toStringz); if(igBeginDragDropSource(ImGuiDragDropFlags.SourceAllowNullID)) { igSetDragDropPayload("__NEW_TO_OLD", cast(void*)&key, (&key).sizeof, ImGuiCond.Always); incText(mapping.node.name); igEndDragDropSource(); } } } protected: override void onBeginUpdate() { igSetNextWindowSizeConstraints(ImVec2(640, 480), ImVec2(float.max, float.max)); super.onBeginUpdate(); } override void onUpdate() { ImVec2 space = incAvailableSpace(); float gapspace = 8; float childWidth = (space.x/2); float childHeight = space.y-(24); igBeginGroup(); if (igBeginChild("###OldParam", ImVec2(childWidth, childHeight))) { if (igBeginListBox("###ItemListOld", ImVec2(childWidth-gapspace, childHeight))) { oldBindingsList(); igEndListBox(); } if(igBeginDragDropTarget()) { const(ImGuiPayload)* payload = igAcceptDragDropPayload("__NEW_TO_OLD"); if (payload !is null) { uint mappingName = *cast(uint*)payload.Data; mappings[mappingName].take = false; igEndDragDropTarget(); igEndChild(); igEndGroup(); return; } igEndDragDropTarget(); } } igEndChild(); igSameLine(0, gapspace); if (igBeginChild("###NewParam", ImVec2(childWidth, childHeight))) { if (igBeginListBox("###ItemListNew", ImVec2(childWidth, childHeight))) { newBindingsList(); igEndListBox(); } } igEndChild(); if(igBeginDragDropTarget()) { const(ImGuiPayload)* payload = igAcceptDragDropPayload("__OLD_TO_NEW"); if (payload !is null) { uint mappingName = *cast(uint*)payload.Data; mappings[mappingName].take = true; igEndDragDropTarget(); igEndGroup(); return; } igEndDragDropTarget(); } igEndGroup(); igBeginGroup(); incDummy(ImVec2(-64, 24)); igSameLine(0, 0); if (igButton(__("Apply"), ImVec2(64, 24))) { this.apply(); } igEndGroup(); } public: this(size_t idx, Parameter param) { this.idx = idx; this.param = param; this.buildMapping(); super(_("Split Parameter")); } }
D
INSTANCE Info_Mod_Xeres_Hi (C_INFO) { npc = Xeres_01; nr = 1; condition = Info_Mod_Xeres_Hi_Condition; information = Info_Mod_Xeres_Hi_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Xeres_Hi_Condition() { return 1; }; FUNC VOID Info_Mod_Xeres_Hi_Info() { AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_00"); //(höhnisch) Ahh, da ist ja mein "Befreier". AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_01"); //Gekommen um dem neuen Regenten der Welt und des Himmels zu huldigen? AI_Output(hero, self, "Info_Mod_Xeres_Hi_15_02"); //Du glaubst doch nicht wirklich, dass du dich der Macht der drei Götter entgegenstellen kannst. AI_Output(hero, self, "Info_Mod_Xeres_Hi_15_03"); //Ich als ihr Stellvertreter bin hier, um dich von deinem wahnwitzigen Vorhaben abzuhalten. AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_04"); //(sarkastisch) Die himmlischen Götter. AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_05"); //Sitzen da Oben und versuchen die Geschicke der Welt zu bestimmen, während die eigentliche Schlacht doch hier unten stattfindet und entschieden wird ... AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_06"); //(finsterer) Nun aber genug getratscht. Du willst mich aufhalten? AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_07"); //Eitler Narr, glaubst, du könntest auch nur einen Kratzer meiner Rüstung zufügen ... AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_08"); //Wobei ... dir ist es tatsächlich gelungen meinen Diener zu bannen und meine Pläne zu vereiteln. AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_09"); //Damit hast du bewiesen, dass du unter den Sterblichen eine Gefahr für mich darstellen könntest ... AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_10"); //Von daher werde ich kein unnötiges Risiko eingehen und dir einen schnellen Tod bereiten. AI_Output(self, hero, "Info_Mod_Xeres_Hi_14_11"); //Bereite dich vor auf ewige Finsternis und Verdammung. AI_StopProcessInfos (self); Wld_PlayEffect("DEMENTOR_FX", self, self, 0, 0, 0, FALSE ); Wld_PlayEffect("spellFX_Fear", self, self, 0, 0, 0, FALSE ); AI_StartState (hero, ZS_MagicFreeze, 0, ""); Wld_PlayEffect("DEMENTOR_FX", hero, hero, 0, 0, 0, FALSE ); B_Attack (self, hero, AR_NONE, 1); B_StartOtherRoutine (Schattenlord_877_Urnol, "TOT"); }; INSTANCE Info_Mod_Xeres_Beliar (C_INFO) { npc = Xeres_01; nr = 1; condition = Info_Mod_Xeres_Beliar_Condition; information = Info_Mod_Xeres_Beliar_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Xeres_Beliar_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Xardas_MT_HabSchwert)) { return 1; }; }; FUNC VOID Info_Mod_Xeres_Beliar_Info() { AI_Output(self, hero, "Info_Mod_Xeres_Beliar_14_00"); //Da bist du ja wieder. Denkst du du hast diesmal eine größere Chance? AI_Output(hero, self, "Info_Mod_Xeres_Beliar_15_01"); //Das werden wir ja gleich sehen. AI_Output(self, hero, "Info_Mod_Xeres_Beliar_14_02"); //Diesmal wird niemand kommen und dich retten. AI_StopProcessInfos (self); if (Mod_TeleportZuFestung == 0) { Wld_PlayEffect("DEMENTOR_FX", self, self, 0, 0, 0, FALSE ); Wld_PlayEffect("spellFX_Fear", self, self, 0, 0, 0, FALSE ); AI_StartState (hero, ZS_MagicFreeze, 0, ""); }; B_Attack (self, hero, AR_Kill, 1); };
D
/** * The osthread module provides low-level, OS-dependent code * for thread creation and management. * * Copyright: Copyright Sean Kelly 2005 - 2012. * License: Distributed under the * $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0). * (See accompanying file LICENSE) * Authors: Sean Kelly, Walter Bright, Alex Rønne Petersen, Martin Nowak * Source: $(DRUNTIMESRC core/thread/osthread.d) */ module core.thread.osthread; import core.thread.threadbase; import core.thread.context; import core.thread.types; import core.atomic; import core.memory : GC; import core.time; import core.exception : onOutOfMemoryError; import core.internal.traits : externDFunc; /////////////////////////////////////////////////////////////////////////////// // Platform Detection and Memory Allocation /////////////////////////////////////////////////////////////////////////////// version (OSX) version = Darwin; else version (iOS) version = Darwin; else version (TVOS) version = Darwin; else version (WatchOS) version = Darwin; version (D_InlineAsm_X86) { version (Windows) version = AsmX86_Windows; else version (Posix) version = AsmX86_Posix; } else version (D_InlineAsm_X86_64) { version (Windows) { version = AsmX86_64_Windows; } else version (Posix) { version = AsmX86_64_Posix; } } version (Posix) { version (AsmX86_Windows) {} else version (AsmX86_Posix) {} else version (AsmX86_64_Windows) {} else version (AsmX86_64_Posix) {} else version (AsmExternal) {} else { // NOTE: The ucontext implementation requires architecture specific // data definitions to operate so testing for it must be done // by checking for the existence of ucontext_t rather than by // a version identifier. Please note that this is considered // an obsolescent feature according to the POSIX spec, so a // custom solution is still preferred. import core.sys.posix.ucontext; } } version (Windows) { import core.stdc.stdint : uintptr_t; // for _beginthreadex decl below import core.stdc.stdlib; // for malloc, atexit import core.sys.windows.basetsd /+: HANDLE+/; import core.sys.windows.threadaux /+: getThreadStackBottom, impersonate_thread, OpenThreadHandle+/; import core.sys.windows.winbase /+: CloseHandle, CREATE_SUSPENDED, DuplicateHandle, GetCurrentThread, GetCurrentThreadId, GetCurrentProcess, GetExitCodeThread, GetSystemInfo, GetThreadContext, GetThreadPriority, INFINITE, ResumeThread, SetThreadPriority, Sleep, STILL_ACTIVE, SuspendThread, SwitchToThread, SYSTEM_INFO, THREAD_PRIORITY_IDLE, THREAD_PRIORITY_NORMAL, THREAD_PRIORITY_TIME_CRITICAL, WAIT_OBJECT_0, WaitForSingleObject+/; import core.sys.windows.windef /+: TRUE+/; import core.sys.windows.winnt /+: CONTEXT, CONTEXT_CONTROL, CONTEXT_INTEGER+/; private extern (Windows) alias btex_fptr = uint function(void*); private extern (C) uintptr_t _beginthreadex(void*, uint, btex_fptr, void*, uint, uint*) nothrow @nogc; } else version (Posix) { import core.stdc.errno; import core.sys.posix.semaphore; import core.sys.posix.stdlib; // for malloc, valloc, free, atexit import core.sys.posix.pthread; import core.sys.posix.signal; import core.sys.posix.time; version (Darwin) { import core.sys.darwin.mach.thread_act; import core.sys.darwin.pthread : pthread_mach_thread_np; } } version (Solaris) { import core.sys.solaris.sys.priocntl; import core.sys.solaris.sys.types; import core.sys.posix.sys.wait : idtype_t; } version (GNU) { import gcc.builtins; } /** * Hook for whatever EH implementation is used to save/restore some data * per stack. * * Params: * newContext = The return value of the prior call to this function * where the stack was last swapped out, or null when a fiber stack * is switched in for the first time. */ private extern(C) void* _d_eh_swapContext(void* newContext) nothrow @nogc; version (DigitalMars) { version (Windows) { extern(D) void* swapContext(void* newContext) nothrow @nogc { return _d_eh_swapContext(newContext); } } else { extern(C) void* _d_eh_swapContextDwarf(void* newContext) nothrow @nogc; extern(D) void* swapContext(void* newContext) nothrow @nogc { /* Detect at runtime which scheme is being used. * Eventually, determine it statically. */ static int which = 0; final switch (which) { case 0: { assert(newContext == null); auto p = _d_eh_swapContext(newContext); auto pdwarf = _d_eh_swapContextDwarf(newContext); if (p) { which = 1; return p; } else if (pdwarf) { which = 2; return pdwarf; } return null; } case 1: return _d_eh_swapContext(newContext); case 2: return _d_eh_swapContextDwarf(newContext); } } } } else { extern(D) void* swapContext(void* newContext) nothrow @nogc { return _d_eh_swapContext(newContext); } } /////////////////////////////////////////////////////////////////////////////// // Thread /////////////////////////////////////////////////////////////////////////////// /** * This class encapsulates all threading functionality for the D * programming language. As thread manipulation is a required facility * for garbage collection, all user threads should derive from this * class, and instances of this class should never be explicitly deleted. * A new thread may be created using either derivation or composition, as * in the following example. */ class Thread : ThreadBase { // // Main process thread // version (FreeBSD) { // set when suspend failed and should be retried, see Issue 13416 private shared bool m_suspendagain; } // // Standard thread data // version (Windows) { private HANDLE m_hndl; } version (Posix) { private shared bool m_isRunning; } version (Darwin) { private mach_port_t m_tmach; } version (Solaris) { private __gshared bool m_isRTClass; } // // Standard types // version (Windows) { alias TLSKey = uint; } else version (Posix) { alias TLSKey = pthread_key_t; } /////////////////////////////////////////////////////////////////////////// // Initialization /////////////////////////////////////////////////////////////////////////// /** * Initializes a thread object which is associated with a static * D function. * * Params: * fn = The thread function. * sz = The stack size for this thread. * * In: * fn must not be null. */ this( void function() fn, size_t sz = 0 ) @safe pure nothrow @nogc { super(fn, sz); } /** * Initializes a thread object which is associated with a dynamic * D function. * * Params: * dg = The thread function. * sz = The stack size for this thread. * * In: * dg must not be null. */ this( void delegate() dg, size_t sz = 0 ) @safe pure nothrow @nogc { super(dg, sz); } package this( size_t sz = 0 ) @safe pure nothrow @nogc { super(sz); } /** * Cleans up any remaining resources used by this object. */ ~this() nothrow @nogc { if (super.destructBeforeDtor()) return; version (Windows) { m_addr = m_addr.init; CloseHandle( m_hndl ); m_hndl = m_hndl.init; } else version (Posix) { if (m_addr != m_addr.init) pthread_detach( m_addr ); m_addr = m_addr.init; } version (Darwin) { m_tmach = m_tmach.init; } } // // Thread entry point. Invokes the function or delegate passed on // construction (if any). // private final void run() { super.run(); } /** * Provides a reference to the calling thread. * * Returns: * The thread object representing the calling thread. The result of * deleting this object is undefined. If the current thread is not * attached to the runtime, a null reference is returned. */ static Thread getThis() @safe nothrow @nogc { return ThreadBase.getThis().toThread; } /////////////////////////////////////////////////////////////////////////// // Thread Context and GC Scanning Support /////////////////////////////////////////////////////////////////////////// version (Windows) { version (X86) { uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax } else version (X86_64) { ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax // r8,r9,r10,r11,r12,r13,r14,r15 } else { static assert(false, "Architecture not supported." ); } } else version (Darwin) { version (X86) { uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax } else version (X86_64) { ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax // r8,r9,r10,r11,r12,r13,r14,r15 } else version (AArch64) { ulong[33] m_reg; // x0-x31, pc } else version (ARM) { uint[16] m_reg; // r0-r15 } else version (PPC) { // Make the assumption that we only care about non-fp and non-vr regs. // ??? : it seems plausible that a valid address can be copied into a VR. uint[32] m_reg; // r0-31 } else version (PPC64) { // As above. ulong[32] m_reg; // r0-31 } else { static assert(false, "Architecture not supported." ); } } /////////////////////////////////////////////////////////////////////////// // General Actions /////////////////////////////////////////////////////////////////////////// /** * Starts the thread and invokes the function or delegate passed upon * construction. * * In: * This routine may only be called once per thread instance. * * Throws: * ThreadException if the thread fails to start. */ final Thread start() nothrow in { assert( !next && !prev ); } do { auto wasThreaded = multiThreadedFlag; multiThreadedFlag = true; scope( failure ) { if ( !wasThreaded ) multiThreadedFlag = false; } version (Windows) {} else version (Posix) { size_t stksz = adjustStackSize( m_sz ); pthread_attr_t attr; if ( pthread_attr_init( &attr ) ) onThreadError( "Error initializing thread attributes" ); if ( stksz && pthread_attr_setstacksize( &attr, stksz ) ) onThreadError( "Error initializing thread stack size" ); } version (Windows) { // NOTE: If a thread is just executing DllMain() // while another thread is started here, it holds an OS internal // lock that serializes DllMain with CreateThread. As the code // might request a synchronization on slock (e.g. in thread_findByAddr()), // we cannot hold that lock while creating the thread without // creating a deadlock // // Solution: Create the thread in suspended state and then // add and resume it with slock acquired assert(m_sz <= uint.max, "m_sz must be less than or equal to uint.max"); m_hndl = cast(HANDLE) _beginthreadex( null, cast(uint) m_sz, &thread_entryPoint, cast(void*) this, CREATE_SUSPENDED, &m_addr ); if ( cast(size_t) m_hndl == 0 ) onThreadError( "Error creating thread" ); } slock.lock_nothrow(); scope(exit) slock.unlock_nothrow(); { ++nAboutToStart; pAboutToStart = cast(ThreadBase*)realloc(pAboutToStart, Thread.sizeof * nAboutToStart); pAboutToStart[nAboutToStart - 1] = this; version (Windows) { if ( ResumeThread( m_hndl ) == -1 ) onThreadError( "Error resuming thread" ); } else version (Posix) { // NOTE: This is also set to true by thread_entryPoint, but set it // here as well so the calling thread will see the isRunning // state immediately. atomicStore!(MemoryOrder.raw)(m_isRunning, true); scope( failure ) atomicStore!(MemoryOrder.raw)(m_isRunning, false); version (Shared) { auto libs = externDFunc!("rt.sections_elf_shared.pinLoadedLibraries", void* function() @nogc nothrow)(); auto ps = cast(void**).malloc(2 * size_t.sizeof); if (ps is null) onOutOfMemoryError(); ps[0] = cast(void*)this; ps[1] = cast(void*)libs; if ( pthread_create( &m_addr, &attr, &thread_entryPoint, ps ) != 0 ) { externDFunc!("rt.sections_elf_shared.unpinLoadedLibraries", void function(void*) @nogc nothrow)(libs); .free(ps); onThreadError( "Error creating thread" ); } } else { if ( pthread_create( &m_addr, &attr, &thread_entryPoint, cast(void*) this ) != 0 ) onThreadError( "Error creating thread" ); } if ( pthread_attr_destroy( &attr ) != 0 ) onThreadError( "Error destroying thread attributes" ); } version (Darwin) { m_tmach = pthread_mach_thread_np( m_addr ); if ( m_tmach == m_tmach.init ) onThreadError( "Error creating thread" ); } return this; } } /** * Waits for this thread to complete. If the thread terminated as the * result of an unhandled exception, this exception will be rethrown. * * Params: * rethrow = Rethrow any unhandled exception which may have caused this * thread to terminate. * * Throws: * ThreadException if the operation fails. * Any exception not handled by the joined thread. * * Returns: * Any exception not handled by this thread if rethrow = false, null * otherwise. */ override final Throwable join( bool rethrow = true ) { version (Windows) { if ( m_addr != m_addr.init && WaitForSingleObject( m_hndl, INFINITE ) != WAIT_OBJECT_0 ) throw new ThreadException( "Unable to join thread" ); // NOTE: m_addr must be cleared before m_hndl is closed to avoid // a race condition with isRunning. The operation is done // with atomicStore to prevent compiler reordering. atomicStore!(MemoryOrder.raw)(*cast(shared)&m_addr, m_addr.init); CloseHandle( m_hndl ); m_hndl = m_hndl.init; } else version (Posix) { if ( m_addr != m_addr.init && pthread_join( m_addr, null ) != 0 ) throw new ThreadException( "Unable to join thread" ); // NOTE: pthread_join acts as a substitute for pthread_detach, // which is normally called by the dtor. Setting m_addr // to zero ensures that pthread_detach will not be called // on object destruction. m_addr = m_addr.init; } if ( m_unhandled ) { if ( rethrow ) throw m_unhandled; return m_unhandled; } return null; } /////////////////////////////////////////////////////////////////////////// // Thread Priority Actions /////////////////////////////////////////////////////////////////////////// version (Windows) { @property static int PRIORITY_MIN() @nogc nothrow pure @safe { return THREAD_PRIORITY_IDLE; } @property static const(int) PRIORITY_MAX() @nogc nothrow pure @safe { return THREAD_PRIORITY_TIME_CRITICAL; } @property static int PRIORITY_DEFAULT() @nogc nothrow pure @safe { return THREAD_PRIORITY_NORMAL; } } else { private struct Priority { int PRIORITY_MIN = int.min; int PRIORITY_DEFAULT = int.min; int PRIORITY_MAX = int.min; } /* Lazily loads one of the members stored in a hidden global variable of type `Priority`. Upon the first access of either member, the entire `Priority` structure is initialized. Multiple initializations from different threads calling this function are tolerated. `which` must be one of `PRIORITY_MIN`, `PRIORITY_DEFAULT`, `PRIORITY_MAX`. */ private static shared Priority cache; private static int loadGlobal(string which)() { auto local = atomicLoad(mixin("cache." ~ which)); if (local != local.min) return local; // There will be benign races cache = loadPriorities; return atomicLoad(mixin("cache." ~ which)); } /* Loads all priorities and returns them as a `Priority` structure. This function is thread-neutral. */ private static Priority loadPriorities() @nogc nothrow @trusted { Priority result; version (Solaris) { pcparms_t pcParms; pcinfo_t pcInfo; pcParms.pc_cid = PC_CLNULL; if (priocntl(idtype_t.P_PID, P_MYID, PC_GETPARMS, &pcParms) == -1) assert( 0, "Unable to get scheduling class" ); pcInfo.pc_cid = pcParms.pc_cid; // PC_GETCLINFO ignores the first two args, use dummy values if (priocntl(idtype_t.P_PID, 0, PC_GETCLINFO, &pcInfo) == -1) assert( 0, "Unable to get scheduling class info" ); pri_t* clparms = cast(pri_t*)&pcParms.pc_clparms; pri_t* clinfo = cast(pri_t*)&pcInfo.pc_clinfo; result.PRIORITY_MAX = clparms[0]; if (pcInfo.pc_clname == "RT") { m_isRTClass = true; // For RT class, just assume it can't be changed result.PRIORITY_MIN = clparms[0]; result.PRIORITY_DEFAULT = clparms[0]; } else { m_isRTClass = false; // For all other scheduling classes, there are // two key values -- uprilim and maxupri. // maxupri is the maximum possible priority defined // for the scheduling class, and valid priorities // range are in [-maxupri, maxupri]. // // However, uprilim is an upper limit that the // current thread can set for the current scheduling // class, which can be less than maxupri. As such, // use this value for priorityMax since this is // the effective maximum. // maxupri result.PRIORITY_MIN = -clinfo[0]; // by definition result.PRIORITY_DEFAULT = 0; } } else version (Posix) { int policy; sched_param param; pthread_getschedparam( pthread_self(), &policy, &param ) == 0 || assert(0, "Internal error in pthread_getschedparam"); result.PRIORITY_MIN = sched_get_priority_min( policy ); result.PRIORITY_MIN != -1 || assert(0, "Internal error in sched_get_priority_min"); result.PRIORITY_DEFAULT = param.sched_priority; result.PRIORITY_MAX = sched_get_priority_max( policy ); result.PRIORITY_MAX != -1 || assert(0, "Internal error in sched_get_priority_max"); } else { static assert(0, "Your code here."); } return result; } /** * The minimum scheduling priority that may be set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the minimum valid priority for the scheduling policy of * the process. */ @property static int PRIORITY_MIN() @nogc nothrow pure @trusted { return (cast(int function() @nogc nothrow pure @safe) &loadGlobal!"PRIORITY_MIN")(); } /** * The maximum scheduling priority that may be set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the maximum valid priority for the scheduling policy of * the process. */ @property static const(int) PRIORITY_MAX() @nogc nothrow pure @trusted { return (cast(int function() @nogc nothrow pure @safe) &loadGlobal!"PRIORITY_MAX")(); } /** * The default scheduling priority that is set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the default priority for the scheduling policy of * the process. */ @property static int PRIORITY_DEFAULT() @nogc nothrow pure @trusted { return (cast(int function() @nogc nothrow pure @safe) &loadGlobal!"PRIORITY_DEFAULT")(); } } version (NetBSD) { //NetBSD does not support priority for default policy // and it is not possible change policy without root access int fakePriority = int.max; } /** * Gets the scheduling priority for the associated thread. * * Note: Getting the priority of a thread that already terminated * might return the default priority. * * Returns: * The scheduling priority of this thread. */ final @property int priority() { version (Windows) { return GetThreadPriority( m_hndl ); } else version (NetBSD) { return fakePriority==int.max? PRIORITY_DEFAULT : fakePriority; } else version (Posix) { int policy; sched_param param; if (auto err = pthread_getschedparam(m_addr, &policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return PRIORITY_DEFAULT; throw new ThreadException("Unable to get thread priority"); } return param.sched_priority; } } /** * Sets the scheduling priority for the associated thread. * * Note: Setting the priority of a thread that already terminated * might have no effect. * * Params: * val = The new scheduling priority of this thread. */ final @property void priority( int val ) in { assert(val >= PRIORITY_MIN); assert(val <= PRIORITY_MAX); } do { version (Windows) { if ( !SetThreadPriority( m_hndl, val ) ) throw new ThreadException( "Unable to set thread priority" ); } else version (Solaris) { // the pthread_setschedprio(3c) and pthread_setschedparam functions // are broken for the default (TS / time sharing) scheduling class. // instead, we use priocntl(2) which gives us the desired behavior. // We hardcode the min and max priorities to the current value // so this is a no-op for RT threads. if (m_isRTClass) return; pcparms_t pcparm; pcparm.pc_cid = PC_CLNULL; if (priocntl(idtype_t.P_LWPID, P_MYID, PC_GETPARMS, &pcparm) == -1) throw new ThreadException( "Unable to get scheduling class" ); pri_t* clparms = cast(pri_t*)&pcparm.pc_clparms; // clparms is filled in by the PC_GETPARMS call, only necessary // to adjust the element that contains the thread priority clparms[1] = cast(pri_t) val; if (priocntl(idtype_t.P_LWPID, P_MYID, PC_SETPARMS, &pcparm) == -1) throw new ThreadException( "Unable to set scheduling class" ); } else version (NetBSD) { fakePriority = val; } else version (Posix) { static if (__traits(compiles, pthread_setschedprio)) { if (auto err = pthread_setschedprio(m_addr, val)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } } else { // NOTE: pthread_setschedprio is not implemented on Darwin, FreeBSD, OpenBSD, // or DragonFlyBSD, so use the more complicated get/set sequence below. int policy; sched_param param; if (auto err = pthread_getschedparam(m_addr, &policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } param.sched_priority = val; if (auto err = pthread_setschedparam(m_addr, policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } } } } unittest { auto thr = Thread.getThis(); immutable prio = thr.priority; scope (exit) thr.priority = prio; assert(prio == PRIORITY_DEFAULT); assert(prio >= PRIORITY_MIN && prio <= PRIORITY_MAX); thr.priority = PRIORITY_MIN; assert(thr.priority == PRIORITY_MIN); thr.priority = PRIORITY_MAX; assert(thr.priority == PRIORITY_MAX); } unittest // Bugzilla 8960 { import core.sync.semaphore; auto thr = new Thread({}); thr.start(); Thread.sleep(1.msecs); // wait a little so the thread likely has finished thr.priority = PRIORITY_MAX; // setting priority doesn't cause error auto prio = thr.priority; // getting priority doesn't cause error assert(prio >= PRIORITY_MIN && prio <= PRIORITY_MAX); } /** * Tests whether this thread is running. * * Returns: * true if the thread is running, false if not. */ override final @property bool isRunning() nothrow @nogc { if (!super.isRunning()) return false; version (Windows) { uint ecode = 0; GetExitCodeThread( m_hndl, &ecode ); return ecode == STILL_ACTIVE; } else version (Posix) { return atomicLoad(m_isRunning); } } /////////////////////////////////////////////////////////////////////////// // Actions on Calling Thread /////////////////////////////////////////////////////////////////////////// /** * Suspends the calling thread for at least the supplied period. This may * result in multiple OS calls if period is greater than the maximum sleep * duration supported by the operating system. * * Params: * val = The minimum duration the calling thread should be suspended. * * In: * period must be non-negative. * * Example: * ------------------------------------------------------------------------ * * Thread.sleep( dur!("msecs")( 50 ) ); // sleep for 50 milliseconds * Thread.sleep( dur!("seconds")( 5 ) ); // sleep for 5 seconds * * ------------------------------------------------------------------------ */ static void sleep( Duration val ) @nogc nothrow in { assert( !val.isNegative ); } do { version (Windows) { auto maxSleepMillis = dur!("msecs")( uint.max - 1 ); // avoid a non-zero time to be round down to 0 if ( val > dur!"msecs"( 0 ) && val < dur!"msecs"( 1 ) ) val = dur!"msecs"( 1 ); // NOTE: In instances where all other threads in the process have a // lower priority than the current thread, the current thread // will not yield with a sleep time of zero. However, unlike // yield(), the user is not asking for a yield to occur but // only for execution to suspend for the requested interval. // Therefore, expected performance may not be met if a yield // is forced upon the user. while ( val > maxSleepMillis ) { Sleep( cast(uint) maxSleepMillis.total!"msecs" ); val -= maxSleepMillis; } Sleep( cast(uint) val.total!"msecs" ); } else version (Posix) { timespec tin = void; timespec tout = void; val.split!("seconds", "nsecs")(tin.tv_sec, tin.tv_nsec); if ( val.total!"seconds" > tin.tv_sec.max ) tin.tv_sec = tin.tv_sec.max; while ( true ) { if ( !nanosleep( &tin, &tout ) ) return; if ( errno != EINTR ) assert(0, "Unable to sleep for the specified duration"); tin = tout; } } } /** * Forces a context switch to occur away from the calling thread. */ static void yield() @nogc nothrow { version (Windows) SwitchToThread(); else version (Posix) sched_yield(); } } private Thread toThread(return scope ThreadBase t) @trusted nothrow @nogc pure { return cast(Thread) cast(void*) t; } private extern(D) static void thread_yield() @nogc nothrow { Thread.yield(); } /// unittest { class DerivedThread : Thread { this() { super(&run); } private: void run() { // Derived thread running. } } void threadFunc() { // Composed thread running. } // create and start instances of each type auto derived = new DerivedThread().start(); auto composed = new Thread(&threadFunc).start(); new Thread({ // Codes to run in the newly created thread. }).start(); } unittest { int x = 0; new Thread( { x++; }).start().join(); assert( x == 1 ); } unittest { enum MSG = "Test message."; string caughtMsg; try { new Thread( { throw new Exception( MSG ); }).start().join(); assert( false, "Expected rethrown exception." ); } catch ( Throwable t ) { assert( t.msg == MSG ); } } unittest { // use >PAGESIZE to avoid stack overflow (e.g. in an syscall) auto thr = new Thread(function{}, 4096 + 1).start(); thr.join(); } unittest { import core.memory : GC; auto t1 = new Thread({ foreach (_; 0 .. 20) ThreadBase.getAll; }).start; auto t2 = new Thread({ foreach (_; 0 .. 20) GC.collect; }).start; t1.join(); t2.join(); } unittest { import core.sync.semaphore; auto sem = new Semaphore(); auto t = new Thread( { sem.notify(); Thread.sleep(100.msecs); }).start(); sem.wait(); // thread cannot be detached while being started thread_detachInstance(t); foreach (t2; Thread) assert(t !is t2); t.join(); } unittest { // NOTE: This entire test is based on the assumption that no // memory is allocated after the child thread is // started. If an allocation happens, a collection could // trigger, which would cause the synchronization below // to cause a deadlock. // NOTE: DO NOT USE LOCKS IN CRITICAL REGIONS IN NORMAL CODE. import core.sync.semaphore; auto sema = new Semaphore(), semb = new Semaphore(); auto thr = new Thread( { thread_enterCriticalRegion(); assert(thread_inCriticalRegion()); sema.notify(); semb.wait(); assert(thread_inCriticalRegion()); thread_exitCriticalRegion(); assert(!thread_inCriticalRegion()); sema.notify(); semb.wait(); assert(!thread_inCriticalRegion()); }); thr.start(); sema.wait(); synchronized (ThreadBase.criticalRegionLock) assert(thr.m_isInCriticalRegion); semb.notify(); sema.wait(); synchronized (ThreadBase.criticalRegionLock) assert(!thr.m_isInCriticalRegion); semb.notify(); thr.join(); } // https://issues.dlang.org/show_bug.cgi?id=22124 unittest { Thread thread = new Thread({}); auto fun(Thread t, int x) { t.__ctor({x = 3;}); return t; } static assert(!__traits(compiles, () @nogc => fun(thread, 3) )); } unittest { import core.sync.semaphore; shared bool inCriticalRegion; auto sema = new Semaphore(), semb = new Semaphore(); auto thr = new Thread( { thread_enterCriticalRegion(); inCriticalRegion = true; sema.notify(); semb.wait(); Thread.sleep(dur!"msecs"(1)); inCriticalRegion = false; thread_exitCriticalRegion(); }); thr.start(); sema.wait(); assert(inCriticalRegion); semb.notify(); thread_suspendAll(); assert(!inCriticalRegion); thread_resumeAll(); } /////////////////////////////////////////////////////////////////////////////// // GC Support Routines /////////////////////////////////////////////////////////////////////////////// version (CoreDdoc) { /** * Instruct the thread module, when initialized, to use a different set of * signals besides SIGUSR1 and SIGUSR2 for suspension and resumption of threads. * This function should be called at most once, prior to thread_init(). * This function is Posix-only. */ extern (C) void thread_setGCSignals(int suspendSignalNo, int resumeSignalNo) nothrow @nogc { } } else version (Posix) { extern (C) void thread_setGCSignals(int suspendSignalNo, int resumeSignalNo) nothrow @nogc in { assert(suspendSignalNo != 0); assert(resumeSignalNo != 0); } out { assert(suspendSignalNumber != 0); assert(resumeSignalNumber != 0); } do { suspendSignalNumber = suspendSignalNo; resumeSignalNumber = resumeSignalNo; } } version (Posix) { private __gshared int suspendSignalNumber = SIGUSR1; private __gshared int resumeSignalNumber = SIGUSR2; } private extern (D) ThreadBase attachThread(ThreadBase _thisThread) @nogc nothrow { Thread thisThread = _thisThread.toThread(); StackContext* thisContext = &thisThread.m_main; assert( thisContext == thisThread.m_curr ); version (Windows) { thisThread.m_addr = GetCurrentThreadId(); thisThread.m_hndl = GetCurrentThreadHandle(); thisContext.bstack = getStackBottom(); thisContext.tstack = thisContext.bstack; } else version (Posix) { thisThread.m_addr = pthread_self(); thisContext.bstack = getStackBottom(); thisContext.tstack = thisContext.bstack; atomicStore!(MemoryOrder.raw)(thisThread.toThread.m_isRunning, true); } thisThread.m_isDaemon = true; thisThread.tlsGCdataInit(); Thread.setThis( thisThread ); version (Darwin) { thisThread.m_tmach = pthread_mach_thread_np( thisThread.m_addr ); assert( thisThread.m_tmach != thisThread.m_tmach.init ); } Thread.add( thisThread, false ); Thread.add( thisContext ); if ( Thread.sm_main !is null ) multiThreadedFlag = true; return thisThread; } /** * Registers the calling thread for use with the D Runtime. If this routine * is called for a thread which is already registered, no action is performed. * * NOTE: This routine does not run thread-local static constructors when called. * If full functionality as a D thread is desired, the following function * must be called after thread_attachThis: * * extern (C) void rt_moduleTlsCtor(); */ extern(C) Thread thread_attachThis() { return thread_attachThis_tpl!Thread(); } version (Windows) { // NOTE: These calls are not safe on Posix systems that use signals to // perform garbage collection. The suspendHandler uses getThis() // to get the thread handle so getThis() must be a simple call. // Mutexes can't safely be acquired inside signal handlers, and // even if they could, the mutex needed (Thread.slock) is held by // thread_suspendAll(). So in short, these routines will remain // Windows-specific. If they are truly needed elsewhere, the // suspendHandler will need a way to call a version of getThis() // that only does the TLS lookup without the fancy fallback stuff. /// ditto extern (C) Thread thread_attachByAddr( ThreadID addr ) { return thread_attachByAddrB( addr, getThreadStackBottom( addr ) ); } /// ditto extern (C) Thread thread_attachByAddrB( ThreadID addr, void* bstack ) { GC.disable(); scope(exit) GC.enable(); if (auto t = thread_findByAddr(addr).toThread) return t; Thread thisThread = new Thread(); StackContext* thisContext = &thisThread.m_main; assert( thisContext == thisThread.m_curr ); thisThread.m_addr = addr; thisContext.bstack = bstack; thisContext.tstack = thisContext.bstack; thisThread.m_isDaemon = true; if ( addr == GetCurrentThreadId() ) { thisThread.m_hndl = GetCurrentThreadHandle(); thisThread.tlsGCdataInit(); Thread.setThis( thisThread ); } else { thisThread.m_hndl = OpenThreadHandle( addr ); impersonate_thread(addr, { thisThread.tlsGCdataInit(); Thread.setThis( thisThread ); }); } Thread.add( thisThread, false ); Thread.add( thisContext ); if ( Thread.sm_main !is null ) multiThreadedFlag = true; return thisThread; } } // Calls the given delegate, passing the current thread's stack pointer to it. package extern(D) void callWithStackShell(scope callWithStackShellDg fn) nothrow in (fn) { // The purpose of the 'shell' is to ensure all the registers get // put on the stack so they'll be scanned. We only need to push // the callee-save registers. void *sp = void; version (GNU) { __builtin_unwind_init(); sp = &sp; } else version (AsmX86_Posix) { size_t[3] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 4], EBX; mov [regs + 1 * 4], ESI; mov [regs + 2 * 4], EDI; mov sp[EBP], ESP; } } else version (AsmX86_Windows) { size_t[3] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 4], EBX; mov [regs + 1 * 4], ESI; mov [regs + 2 * 4], EDI; mov sp[EBP], ESP; } } else version (AsmX86_64_Posix) { size_t[5] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 8], RBX; mov [regs + 1 * 8], R12; mov [regs + 2 * 8], R13; mov [regs + 3 * 8], R14; mov [regs + 4 * 8], R15; mov sp[RBP], RSP; } } else version (AsmX86_64_Windows) { size_t[7] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 8], RBX; mov [regs + 1 * 8], RSI; mov [regs + 2 * 8], RDI; mov [regs + 3 * 8], R12; mov [regs + 4 * 8], R13; mov [regs + 5 * 8], R14; mov [regs + 6 * 8], R15; mov sp[RBP], RSP; } } else { static assert(false, "Architecture not supported."); } fn(sp); } version (Windows) private extern (D) void scanWindowsOnly(scope ScanAllThreadsTypeFn scan, ThreadBase _t) nothrow { auto t = _t.toThread; scan( ScanType.stack, t.m_reg.ptr, t.m_reg.ptr + t.m_reg.length ); } /** * Returns the process ID of the calling process, which is guaranteed to be * unique on the system. This call is always successful. * * Example: * --- * writefln("Current process id: %s", getpid()); * --- */ version (Posix) { import core.sys.posix.unistd; alias getpid = core.sys.posix.unistd.getpid; } else version (Windows) { alias getpid = core.sys.windows.winbase.GetCurrentProcessId; } extern (C) @nogc nothrow { version (CRuntime_Glibc) version = PThread_Getattr_NP; version (CRuntime_Bionic) version = PThread_Getattr_NP; version (CRuntime_Musl) version = PThread_Getattr_NP; version (CRuntime_UClibc) version = PThread_Getattr_NP; version (FreeBSD) version = PThread_Attr_Get_NP; version (NetBSD) version = PThread_Attr_Get_NP; version (DragonFlyBSD) version = PThread_Attr_Get_NP; version (PThread_Getattr_NP) int pthread_getattr_np(pthread_t thread, pthread_attr_t* attr); version (PThread_Attr_Get_NP) int pthread_attr_get_np(pthread_t thread, pthread_attr_t* attr); version (Solaris) int thr_stksegment(stack_t* stk); version (OpenBSD) int pthread_stackseg_np(pthread_t thread, stack_t* sinfo); } package extern(D) void* getStackTop() nothrow @nogc { version (D_InlineAsm_X86) asm pure nothrow @nogc { naked; mov EAX, ESP; ret; } else version (D_InlineAsm_X86_64) asm pure nothrow @nogc { naked; mov RAX, RSP; ret; } else version (GNU) return __builtin_frame_address(0); else static assert(false, "Architecture not supported."); } package extern(D) void* getStackBottom() nothrow @nogc { version (Windows) { version (D_InlineAsm_X86) asm pure nothrow @nogc { naked; mov EAX, FS:4; ret; } else version (D_InlineAsm_X86_64) asm pure nothrow @nogc { naked; mov RAX, 8; mov RAX, GS:[RAX]; ret; } else static assert(false, "Architecture not supported."); } else version (Darwin) { import core.sys.darwin.pthread; return pthread_get_stackaddr_np(pthread_self()); } else version (PThread_Getattr_NP) { pthread_attr_t attr; void* addr; size_t size; pthread_attr_init(&attr); pthread_getattr_np(pthread_self(), &attr); pthread_attr_getstack(&attr, &addr, &size); pthread_attr_destroy(&attr); static if (isStackGrowingDown) addr += size; return addr; } else version (PThread_Attr_Get_NP) { pthread_attr_t attr; void* addr; size_t size; pthread_attr_init(&attr); pthread_attr_get_np(pthread_self(), &attr); pthread_attr_getstack(&attr, &addr, &size); pthread_attr_destroy(&attr); static if (isStackGrowingDown) addr += size; return addr; } else version (OpenBSD) { stack_t stk; pthread_stackseg_np(pthread_self(), &stk); return stk.ss_sp; } else version (Solaris) { stack_t stk; thr_stksegment(&stk); return stk.ss_sp; } else static assert(false, "Platform not supported."); } /** * Suspend the specified thread and load stack and register information for * use by thread_scanAll. If the supplied thread is the calling thread, * stack and register information will be loaded but the thread will not * be suspended. If the suspend operation fails and the thread is not * running then it will be removed from the global thread list, otherwise * an exception will be thrown. * * Params: * t = The thread to suspend. * * Throws: * ThreadError if the suspend operation fails for a running thread. * Returns: * Whether the thread is now suspended (true) or terminated (false). */ private extern (D) bool suspend( Thread t ) nothrow @nogc { Duration waittime = dur!"usecs"(10); Lagain: if (!t.isRunning) { Thread.remove(t); return false; } else if (t.m_isInCriticalRegion) { Thread.criticalRegionLock.unlock_nothrow(); Thread.sleep(waittime); if (waittime < dur!"msecs"(10)) waittime *= 2; Thread.criticalRegionLock.lock_nothrow(); goto Lagain; } version (Windows) { if ( t.m_addr != GetCurrentThreadId() && SuspendThread( t.m_hndl ) == 0xFFFFFFFF ) { if ( !t.isRunning ) { Thread.remove( t ); return false; } onThreadError( "Unable to suspend thread" ); } CONTEXT context = void; context.ContextFlags = CONTEXT_INTEGER | CONTEXT_CONTROL; if ( !GetThreadContext( t.m_hndl, &context ) ) onThreadError( "Unable to load thread context" ); version (X86) { if ( !t.m_lock ) t.m_curr.tstack = cast(void*) context.Esp; // eax,ebx,ecx,edx,edi,esi,ebp,esp t.m_reg[0] = context.Eax; t.m_reg[1] = context.Ebx; t.m_reg[2] = context.Ecx; t.m_reg[3] = context.Edx; t.m_reg[4] = context.Edi; t.m_reg[5] = context.Esi; t.m_reg[6] = context.Ebp; t.m_reg[7] = context.Esp; } else version (X86_64) { if ( !t.m_lock ) t.m_curr.tstack = cast(void*) context.Rsp; // rax,rbx,rcx,rdx,rdi,rsi,rbp,rsp t.m_reg[0] = context.Rax; t.m_reg[1] = context.Rbx; t.m_reg[2] = context.Rcx; t.m_reg[3] = context.Rdx; t.m_reg[4] = context.Rdi; t.m_reg[5] = context.Rsi; t.m_reg[6] = context.Rbp; t.m_reg[7] = context.Rsp; // r8,r9,r10,r11,r12,r13,r14,r15 t.m_reg[8] = context.R8; t.m_reg[9] = context.R9; t.m_reg[10] = context.R10; t.m_reg[11] = context.R11; t.m_reg[12] = context.R12; t.m_reg[13] = context.R13; t.m_reg[14] = context.R14; t.m_reg[15] = context.R15; } else { static assert(false, "Architecture not supported." ); } } else version (Darwin) { if ( t.m_addr != pthread_self() && thread_suspend( t.m_tmach ) != KERN_SUCCESS ) { if ( !t.isRunning ) { Thread.remove( t ); return false; } onThreadError( "Unable to suspend thread" ); } version (X86) { x86_thread_state32_t state = void; mach_msg_type_number_t count = x86_THREAD_STATE32_COUNT; if ( thread_get_state( t.m_tmach, x86_THREAD_STATE32, &state, &count ) != KERN_SUCCESS ) onThreadError( "Unable to load thread state" ); if ( !t.m_lock ) t.m_curr.tstack = cast(void*) state.esp; // eax,ebx,ecx,edx,edi,esi,ebp,esp t.m_reg[0] = state.eax; t.m_reg[1] = state.ebx; t.m_reg[2] = state.ecx; t.m_reg[3] = state.edx; t.m_reg[4] = state.edi; t.m_reg[5] = state.esi; t.m_reg[6] = state.ebp; t.m_reg[7] = state.esp; } else version (X86_64) { x86_thread_state64_t state = void; mach_msg_type_number_t count = x86_THREAD_STATE64_COUNT; if ( thread_get_state( t.m_tmach, x86_THREAD_STATE64, &state, &count ) != KERN_SUCCESS ) onThreadError( "Unable to load thread state" ); if ( !t.m_lock ) t.m_curr.tstack = cast(void*) state.rsp; // rax,rbx,rcx,rdx,rdi,rsi,rbp,rsp t.m_reg[0] = state.rax; t.m_reg[1] = state.rbx; t.m_reg[2] = state.rcx; t.m_reg[3] = state.rdx; t.m_reg[4] = state.rdi; t.m_reg[5] = state.rsi; t.m_reg[6] = state.rbp; t.m_reg[7] = state.rsp; // r8,r9,r10,r11,r12,r13,r14,r15 t.m_reg[8] = state.r8; t.m_reg[9] = state.r9; t.m_reg[10] = state.r10; t.m_reg[11] = state.r11; t.m_reg[12] = state.r12; t.m_reg[13] = state.r13; t.m_reg[14] = state.r14; t.m_reg[15] = state.r15; } else version (AArch64) { arm_thread_state64_t state = void; mach_msg_type_number_t count = ARM_THREAD_STATE64_COUNT; if (thread_get_state(t.m_tmach, ARM_THREAD_STATE64, &state, &count) != KERN_SUCCESS) onThreadError("Unable to load thread state"); // TODO: ThreadException here recurses forever! Does it //still using onThreadError? //printf("state count %d (expect %d)\n", count ,ARM_THREAD_STATE64_COUNT); if (!t.m_lock) t.m_curr.tstack = cast(void*) state.sp; t.m_reg[0..29] = state.x; // x0-x28 t.m_reg[29] = state.fp; // x29 t.m_reg[30] = state.lr; // x30 t.m_reg[31] = state.sp; // x31 t.m_reg[32] = state.pc; } else version (ARM) { arm_thread_state32_t state = void; mach_msg_type_number_t count = ARM_THREAD_STATE32_COUNT; // Thought this would be ARM_THREAD_STATE32, but that fails. // Mystery if (thread_get_state(t.m_tmach, ARM_THREAD_STATE, &state, &count) != KERN_SUCCESS) onThreadError("Unable to load thread state"); // TODO: in past, ThreadException here recurses forever! Does it //still using onThreadError? //printf("state count %d (expect %d)\n", count ,ARM_THREAD_STATE32_COUNT); if (!t.m_lock) t.m_curr.tstack = cast(void*) state.sp; t.m_reg[0..13] = state.r; // r0 - r13 t.m_reg[13] = state.sp; t.m_reg[14] = state.lr; t.m_reg[15] = state.pc; } else version (PPC) { ppc_thread_state_t state = void; mach_msg_type_number_t count = PPC_THREAD_STATE_COUNT; if (thread_get_state(t.m_tmach, PPC_THREAD_STATE, &state, &count) != KERN_SUCCESS) onThreadError("Unable to load thread state"); if (!t.m_lock) t.m_curr.tstack = cast(void*) state.r[1]; t.m_reg[] = state.r[]; } else version (PPC64) { ppc_thread_state64_t state = void; mach_msg_type_number_t count = PPC_THREAD_STATE64_COUNT; if (thread_get_state(t.m_tmach, PPC_THREAD_STATE64, &state, &count) != KERN_SUCCESS) onThreadError("Unable to load thread state"); if (!t.m_lock) t.m_curr.tstack = cast(void*) state.r[1]; t.m_reg[] = state.r[]; } else { static assert(false, "Architecture not supported." ); } } else version (Posix) { if ( t.m_addr != pthread_self() ) { if ( pthread_kill( t.m_addr, suspendSignalNumber ) != 0 ) { if ( !t.isRunning ) { Thread.remove( t ); return false; } onThreadError( "Unable to suspend thread" ); } } else if ( !t.m_lock ) { t.m_curr.tstack = getStackTop(); } } return true; } /** * Suspend all threads but the calling thread for "stop the world" garbage * collection runs. This function may be called multiple times, and must * be followed by a matching number of calls to thread_resumeAll before * processing is resumed. * * Throws: * ThreadError if the suspend operation fails for a running thread. */ extern (C) void thread_suspendAll() nothrow { // NOTE: We've got an odd chicken & egg problem here, because while the GC // is required to call thread_init before calling any other thread // routines, thread_init may allocate memory which could in turn // trigger a collection. Thus, thread_suspendAll, thread_scanAll, // and thread_resumeAll must be callable before thread_init // completes, with the assumption that no other GC memory has yet // been allocated by the system, and thus there is no risk of losing // data if the global thread list is empty. The check of // Thread.sm_tbeg below is done to ensure thread_init has completed, // and therefore that calling Thread.getThis will not result in an // error. For the short time when Thread.sm_tbeg is null, there is // no reason not to simply call the multithreaded code below, with // the expectation that the foreach loop will never be entered. if ( !multiThreadedFlag && Thread.sm_tbeg ) { if ( ++suspendDepth == 1 ) suspend( Thread.getThis() ); return; } Thread.slock.lock_nothrow(); { if ( ++suspendDepth > 1 ) return; Thread.criticalRegionLock.lock_nothrow(); scope (exit) Thread.criticalRegionLock.unlock_nothrow(); size_t cnt; Thread t = ThreadBase.sm_tbeg.toThread; while (t) { auto tn = t.next.toThread; if (suspend(t)) ++cnt; t = tn; } version (Darwin) {} else version (Posix) { // subtract own thread assert(cnt >= 1); --cnt; Lagain: // wait for semaphore notifications for (; cnt; --cnt) { while (sem_wait(&suspendCount) != 0) { if (errno != EINTR) onThreadError("Unable to wait for semaphore"); errno = 0; } } version (FreeBSD) { // avoid deadlocks, see Issue 13416 t = ThreadBase.sm_tbeg.toThread; while (t) { auto tn = t.next; if (t.m_suspendagain && suspend(t)) ++cnt; t = tn.toThread; } if (cnt) goto Lagain; } } } } /** * Resume the specified thread and unload stack and register information. * If the supplied thread is the calling thread, stack and register * information will be unloaded but the thread will not be resumed. If * the resume operation fails and the thread is not running then it will * be removed from the global thread list, otherwise an exception will be * thrown. * * Params: * t = The thread to resume. * * Throws: * ThreadError if the resume fails for a running thread. */ private extern (D) void resume(ThreadBase _t) nothrow @nogc { Thread t = _t.toThread; version (Windows) { if ( t.m_addr != GetCurrentThreadId() && ResumeThread( t.m_hndl ) == 0xFFFFFFFF ) { if ( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } if ( !t.m_lock ) t.m_curr.tstack = t.m_curr.bstack; t.m_reg[0 .. $] = 0; } else version (Darwin) { if ( t.m_addr != pthread_self() && thread_resume( t.m_tmach ) != KERN_SUCCESS ) { if ( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } if ( !t.m_lock ) t.m_curr.tstack = t.m_curr.bstack; t.m_reg[0 .. $] = 0; } else version (Posix) { if ( t.m_addr != pthread_self() ) { if ( pthread_kill( t.m_addr, resumeSignalNumber ) != 0 ) { if ( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } } else if ( !t.m_lock ) { t.m_curr.tstack = t.m_curr.bstack; } } } /** * Initializes the thread module. This function must be called by the * garbage collector on startup and before any other thread routines * are called. */ extern (C) void thread_init() @nogc { // NOTE: If thread_init itself performs any allocations then the thread // routines reserved for garbage collector use may be called while // thread_init is being processed. However, since no memory should // exist to be scanned at this point, it is sufficient for these // functions to detect the condition and return immediately. initLowlevelThreads(); Thread.initLocks(); // The Android VM runtime intercepts SIGUSR1 and apparently doesn't allow // its signal handler to run, so swap the two signals on Android, since // thread_resumeHandler does nothing. version (Android) thread_setGCSignals(SIGUSR2, SIGUSR1); version (Darwin) { // thread id different in forked child process static extern(C) void initChildAfterFork() { auto thisThread = Thread.getThis(); thisThread.m_addr = pthread_self(); assert( thisThread.m_addr != thisThread.m_addr.init ); thisThread.m_tmach = pthread_mach_thread_np( thisThread.m_addr ); assert( thisThread.m_tmach != thisThread.m_tmach.init ); } pthread_atfork(null, null, &initChildAfterFork); } else version (Posix) { int status; sigaction_t suspend = void; sigaction_t resume = void; // This is a quick way to zero-initialize the structs without using // memset or creating a link dependency on their static initializer. (cast(byte*) &suspend)[0 .. sigaction_t.sizeof] = 0; (cast(byte*) &resume)[0 .. sigaction_t.sizeof] = 0; // NOTE: SA_RESTART indicates that system calls should restart if they // are interrupted by a signal, but this is not available on all // Posix systems, even those that support multithreading. static if ( __traits( compiles, SA_RESTART ) ) suspend.sa_flags = SA_RESTART; suspend.sa_handler = &thread_suspendHandler; // NOTE: We want to ignore all signals while in this handler, so fill // sa_mask to indicate this. status = sigfillset( &suspend.sa_mask ); assert( status == 0 ); // NOTE: Since resumeSignalNumber should only be issued for threads within the // suspend handler, we don't want this signal to trigger a // restart. resume.sa_flags = 0; resume.sa_handler = &thread_resumeHandler; // NOTE: We want to ignore all signals while in this handler, so fill // sa_mask to indicate this. status = sigfillset( &resume.sa_mask ); assert( status == 0 ); status = sigaction( suspendSignalNumber, &suspend, null ); assert( status == 0 ); status = sigaction( resumeSignalNumber, &resume, null ); assert( status == 0 ); status = sem_init( &suspendCount, 0, 0 ); assert( status == 0 ); } if (typeid(Thread).initializer.ptr) _mainThreadStore[] = typeid(Thread).initializer[]; Thread.sm_main = attachThread((cast(Thread)_mainThreadStore.ptr).__ctor()); } private alias MainThreadStore = void[__traits(classInstanceSize, Thread)]; package __gshared align(Thread.alignof) MainThreadStore _mainThreadStore; /** * Terminates the thread module. No other thread routine may be called * afterwards. */ extern (C) void thread_term() @nogc { thread_term_tpl!(Thread)(_mainThreadStore); } /////////////////////////////////////////////////////////////////////////////// // Thread Entry Point and Signal Handlers /////////////////////////////////////////////////////////////////////////////// version (Windows) { private { // // Entry point for Windows threads // extern (Windows) uint thread_entryPoint( void* arg ) nothrow { Thread obj = cast(Thread) arg; assert( obj ); obj.initDataStorage(); Thread.setThis(obj); Thread.add(obj); scope (exit) { Thread.remove(obj); obj.destroyDataStorage(); } Thread.add(&obj.m_main); // NOTE: No GC allocations may occur until the stack pointers have // been set and Thread.getThis returns a valid reference to // this thread object (this latter condition is not strictly // necessary on Windows but it should be followed for the // sake of consistency). // TODO: Consider putting an auto exception object here (using // alloca) forOutOfMemoryError plus something to track // whether an exception is in-flight? void append( Throwable t ) { obj.m_unhandled = Throwable.chainTogether(obj.m_unhandled, t); } version (D_InlineAsm_X86) { asm nothrow @nogc { fninit; } } try { rt_moduleTlsCtor(); try { obj.run(); } catch ( Throwable t ) { append( t ); } rt_moduleTlsDtor(); } catch ( Throwable t ) { append( t ); } return 0; } HANDLE GetCurrentThreadHandle() nothrow @nogc { const uint DUPLICATE_SAME_ACCESS = 0x00000002; HANDLE curr = GetCurrentThread(), proc = GetCurrentProcess(), hndl; DuplicateHandle( proc, curr, proc, &hndl, 0, TRUE, DUPLICATE_SAME_ACCESS ); return hndl; } } } else version (Posix) { private { import core.stdc.errno; import core.sys.posix.semaphore; import core.sys.posix.stdlib; // for malloc, valloc, free, atexit import core.sys.posix.pthread; import core.sys.posix.signal; import core.sys.posix.time; version (Darwin) { import core.sys.darwin.mach.thread_act; import core.sys.darwin.pthread : pthread_mach_thread_np; } // // Entry point for POSIX threads // extern (C) void* thread_entryPoint( void* arg ) nothrow { version (Shared) { Thread obj = cast(Thread)(cast(void**)arg)[0]; auto loadedLibraries = (cast(void**)arg)[1]; .free(arg); } else { Thread obj = cast(Thread)arg; } assert( obj ); // loadedLibraries need to be inherited from parent thread // before initilizing GC for TLS (rt_tlsgc_init) version (Shared) { externDFunc!("rt.sections_elf_shared.inheritLoadedLibraries", void function(void*) @nogc nothrow)(loadedLibraries); } obj.initDataStorage(); atomicStore!(MemoryOrder.raw)(obj.m_isRunning, true); Thread.setThis(obj); // allocates lazy TLS (see Issue 11981) Thread.add(obj); // can only receive signals from here on scope (exit) { Thread.remove(obj); atomicStore!(MemoryOrder.raw)(obj.m_isRunning, false); obj.destroyDataStorage(); } Thread.add(&obj.m_main); static extern (C) void thread_cleanupHandler( void* arg ) nothrow @nogc { Thread obj = cast(Thread) arg; assert( obj ); // NOTE: If the thread terminated abnormally, just set it as // not running and let thread_suspendAll remove it from // the thread list. This is safer and is consistent // with the Windows thread code. atomicStore!(MemoryOrder.raw)(obj.m_isRunning,false); } // NOTE: Using void to skip the initialization here relies on // knowledge of how pthread_cleanup is implemented. It may // not be appropriate for all platforms. However, it does // avoid the need to link the pthread module. If any // implementation actually requires default initialization // then pthread_cleanup should be restructured to maintain // the current lack of a link dependency. static if ( __traits( compiles, pthread_cleanup ) ) { pthread_cleanup cleanup = void; cleanup.push( &thread_cleanupHandler, cast(void*) obj ); } else static if ( __traits( compiles, pthread_cleanup_push ) ) { pthread_cleanup_push( &thread_cleanupHandler, cast(void*) obj ); } else { static assert( false, "Platform not supported." ); } // NOTE: No GC allocations may occur until the stack pointers have // been set and Thread.getThis returns a valid reference to // this thread object (this latter condition is not strictly // necessary on Windows but it should be followed for the // sake of consistency). // TODO: Consider putting an auto exception object here (using // alloca) forOutOfMemoryError plus something to track // whether an exception is in-flight? void append( Throwable t ) { obj.m_unhandled = Throwable.chainTogether(obj.m_unhandled, t); } try { rt_moduleTlsCtor(); try { obj.run(); } catch ( Throwable t ) { append( t ); } rt_moduleTlsDtor(); version (Shared) { externDFunc!("rt.sections_elf_shared.cleanupLoadedLibraries", void function() @nogc nothrow)(); } } catch ( Throwable t ) { append( t ); } // NOTE: Normal cleanup is handled by scope(exit). static if ( __traits( compiles, pthread_cleanup ) ) { cleanup.pop( 0 ); } else static if ( __traits( compiles, pthread_cleanup_push ) ) { pthread_cleanup_pop( 0 ); } return null; } // // Used to track the number of suspended threads // __gshared sem_t suspendCount; extern (C) void thread_suspendHandler( int sig ) nothrow in { assert( sig == suspendSignalNumber ); } do { void op(void* sp) nothrow { // NOTE: Since registers are being pushed and popped from the // stack, any other stack data used by this function should // be gone before the stack cleanup code is called below. Thread obj = Thread.getThis(); assert(obj !is null); if ( !obj.m_lock ) { obj.m_curr.tstack = getStackTop(); } sigset_t sigres = void; int status; status = sigfillset( &sigres ); assert( status == 0 ); status = sigdelset( &sigres, resumeSignalNumber ); assert( status == 0 ); version (FreeBSD) obj.m_suspendagain = false; status = sem_post( &suspendCount ); assert( status == 0 ); sigsuspend( &sigres ); if ( !obj.m_lock ) { obj.m_curr.tstack = obj.m_curr.bstack; } } // avoid deadlocks on FreeBSD, see Issue 13416 version (FreeBSD) { auto obj = Thread.getThis(); if (THR_IN_CRITICAL(obj.m_addr)) { obj.m_suspendagain = true; if (sem_post(&suspendCount)) assert(0); return; } } callWithStackShell(&op); } extern (C) void thread_resumeHandler( int sig ) nothrow in { assert( sig == resumeSignalNumber ); } do { } // HACK libthr internal (thr_private.h) macro, used to // avoid deadlocks in signal handler, see Issue 13416 version (FreeBSD) bool THR_IN_CRITICAL(pthread_t p) nothrow @nogc { import core.sys.posix.config : c_long; import core.sys.posix.sys.types : lwpid_t; // If the begin of pthread would be changed in libthr (unlikely) // we'll run into undefined behavior, compare with thr_private.h. static struct pthread { c_long tid; static struct umutex { lwpid_t owner; uint flags; uint[2] ceilings; uint[4] spare; } umutex lock; uint cycle; int locklevel; int critical_count; // ... } auto priv = cast(pthread*)p; return priv.locklevel > 0 || priv.critical_count > 0; } } } else { // NOTE: This is the only place threading versions are checked. If a new // version is added, the module code will need to be searched for // places where version-specific code may be required. This can be // easily accomlished by searching for 'Windows' or 'Posix'. static assert( false, "Unknown threading implementation." ); } // // exposed by compiler runtime // extern (C) void rt_moduleTlsCtor(); extern (C) void rt_moduleTlsDtor(); // regression test for Issue 13416 version (FreeBSD) unittest { static void loop() { pthread_attr_t attr; pthread_attr_init(&attr); auto thr = pthread_self(); foreach (i; 0 .. 50) pthread_attr_get_np(thr, &attr); pthread_attr_destroy(&attr); } auto thr = new Thread(&loop).start(); foreach (i; 0 .. 50) { thread_suspendAll(); thread_resumeAll(); } thr.join(); } version (DragonFlyBSD) unittest { static void loop() { pthread_attr_t attr; pthread_attr_init(&attr); auto thr = pthread_self(); foreach (i; 0 .. 50) pthread_attr_get_np(thr, &attr); pthread_attr_destroy(&attr); } auto thr = new Thread(&loop).start(); foreach (i; 0 .. 50) { thread_suspendAll(); thread_resumeAll(); } thr.join(); } /////////////////////////////////////////////////////////////////////////////// // lowlovel threading support /////////////////////////////////////////////////////////////////////////////// private { version (Windows): // If the runtime is dynamically loaded as a DLL, there is a problem with // threads still running when the DLL is supposed to be unloaded: // // - with the VC runtime starting with VS2015 (i.e. using the Universal CRT) // a thread created with _beginthreadex increments the DLL reference count // and decrements it when done, so that the DLL is no longer unloaded unless // all the threads have terminated. With the DLL reference count held up // by a thread that is only stopped by a signal from a static destructor or // the termination of the runtime will cause the DLL to never be unloaded. // // - with the DigitalMars runtime and VC runtime up to VS2013, the thread // continues to run, but crashes once the DLL is unloaded from memory as // the code memory is no longer accessible. Stopping the threads is not possible // from within the runtime termination as it is invoked from // DllMain(DLL_PROCESS_DETACH) holding a lock that prevents threads from // terminating. // // Solution: start a watchdog thread that keeps the DLL reference count above 0 and // checks it periodically. If it is equal to 1 (plus the number of started threads), no // external references to the DLL exist anymore, threads can be stopped // and runtime termination and DLL unload can be invoked via FreeLibraryAndExitThread. // Note: runtime termination is then performed by a different thread than at startup. // // Note: if the DLL is never unloaded, process termination kills all threads // and signals their handles before unconditionally calling DllMain(DLL_PROCESS_DETACH). import core.sys.windows.winbase : FreeLibraryAndExitThread, GetModuleHandleExW, GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS, GET_MODULE_HANDLE_EX_FLAG_UNCHANGED_REFCOUNT; import core.sys.windows.windef : HMODULE; import core.sys.windows.dll : dll_getRefCount; version (CRuntime_Microsoft) extern(C) extern __gshared ubyte msvcUsesUCRT; // from rt/msvc.d /// set during termination of a DLL on Windows, i.e. while executing DllMain(DLL_PROCESS_DETACH) public __gshared bool thread_DLLProcessDetaching; __gshared HMODULE ll_dllModule; __gshared ThreadID ll_dllMonitorThread; int ll_countLowLevelThreadsWithDLLUnloadCallback() nothrow { lowlevelLock.lock_nothrow(); scope(exit) lowlevelLock.unlock_nothrow(); int cnt = 0; foreach (i; 0 .. ll_nThreads) if (ll_pThreads[i].cbDllUnload) cnt++; return cnt; } bool ll_dllHasExternalReferences() nothrow { version (CRuntime_DigitalMars) enum internalReferences = 1; // only the watchdog thread else int internalReferences = msvcUsesUCRT ? 1 + ll_countLowLevelThreadsWithDLLUnloadCallback() : 1; int refcnt = dll_getRefCount(ll_dllModule); return refcnt > internalReferences; } private void monitorDLLRefCnt() nothrow { // this thread keeps the DLL alive until all external references are gone while (ll_dllHasExternalReferences()) { Thread.sleep(100.msecs); } // the current thread will be terminated below ll_removeThread(GetCurrentThreadId()); for (;;) { ThreadID tid; void delegate() nothrow cbDllUnload; { lowlevelLock.lock_nothrow(); scope(exit) lowlevelLock.unlock_nothrow(); foreach (i; 0 .. ll_nThreads) if (ll_pThreads[i].cbDllUnload) { cbDllUnload = ll_pThreads[i].cbDllUnload; tid = ll_pThreads[0].tid; } } if (!cbDllUnload) break; cbDllUnload(); assert(!findLowLevelThread(tid)); } FreeLibraryAndExitThread(ll_dllModule, 0); } int ll_getDLLRefCount() nothrow @nogc { if (!ll_dllModule && !GetModuleHandleExW(GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS | GET_MODULE_HANDLE_EX_FLAG_UNCHANGED_REFCOUNT, cast(const(wchar)*) &ll_getDLLRefCount, &ll_dllModule)) return -1; return dll_getRefCount(ll_dllModule); } bool ll_startDLLUnloadThread() nothrow @nogc { int refcnt = ll_getDLLRefCount(); if (refcnt < 0) return false; // not a dynamically loaded DLL if (ll_dllMonitorThread !is ThreadID.init) return true; // if a thread is created from a DLL, the MS runtime (starting with VC2015) increments the DLL reference count // to avoid the DLL being unloaded while the thread is still running. Mimick this behavior here for all // runtimes not doing this version (CRuntime_DigitalMars) enum needRef = true; else bool needRef = !msvcUsesUCRT; if (needRef) { HMODULE hmod; GetModuleHandleExW(GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS, cast(const(wchar)*) &ll_getDLLRefCount, &hmod); } ll_dllMonitorThread = createLowLevelThread(() { monitorDLLRefCnt(); }); return ll_dllMonitorThread != ThreadID.init; } } /** * Create a thread not under control of the runtime, i.e. TLS module constructors are * not run and the GC does not suspend it during a collection. * * Params: * dg = delegate to execute in the created thread. * stacksize = size of the stack of the created thread. The default of 0 will select the * platform-specific default size. * cbDllUnload = Windows only: if running in a dynamically loaded DLL, this delegate will be called * if the DLL is supposed to be unloaded, but the thread is still running. * The thread must be terminated via `joinLowLevelThread` by the callback. * * Returns: the platform specific thread ID of the new thread. If an error occurs, `ThreadID.init` * is returned. */ ThreadID createLowLevelThread(void delegate() nothrow dg, uint stacksize = 0, void delegate() nothrow cbDllUnload = null) nothrow @nogc { void delegate() nothrow* context = cast(void delegate() nothrow*)malloc(dg.sizeof); *context = dg; ThreadID tid; version (Windows) { // the thread won't start until after the DLL is unloaded if (thread_DLLProcessDetaching) return ThreadID.init; static extern (Windows) uint thread_lowlevelEntry(void* ctx) nothrow { auto dg = *cast(void delegate() nothrow*)ctx; free(ctx); dg(); ll_removeThread(GetCurrentThreadId()); return 0; } // see Thread.start() for why thread is created in suspended state HANDLE hThread = cast(HANDLE) _beginthreadex(null, stacksize, &thread_lowlevelEntry, context, CREATE_SUSPENDED, &tid); if (!hThread) return ThreadID.init; } lowlevelLock.lock_nothrow(); scope(exit) lowlevelLock.unlock_nothrow(); ll_nThreads++; ll_pThreads = cast(ll_ThreadData*)realloc(ll_pThreads, ll_ThreadData.sizeof * ll_nThreads); version (Windows) { ll_pThreads[ll_nThreads - 1].tid = tid; ll_pThreads[ll_nThreads - 1].cbDllUnload = cbDllUnload; if (ResumeThread(hThread) == -1) onThreadError("Error resuming thread"); CloseHandle(hThread); if (cbDllUnload) ll_startDLLUnloadThread(); } else version (Posix) { static extern (C) void* thread_lowlevelEntry(void* ctx) nothrow { auto dg = *cast(void delegate() nothrow*)ctx; free(ctx); dg(); ll_removeThread(pthread_self()); return null; } size_t stksz = adjustStackSize(stacksize); pthread_attr_t attr; int rc; if ((rc = pthread_attr_init(&attr)) != 0) return ThreadID.init; if (stksz && (rc = pthread_attr_setstacksize(&attr, stksz)) != 0) return ThreadID.init; if ((rc = pthread_create(&tid, &attr, &thread_lowlevelEntry, context)) != 0) return ThreadID.init; if ((rc = pthread_attr_destroy(&attr)) != 0) return ThreadID.init; ll_pThreads[ll_nThreads - 1].tid = tid; } return tid; } /** * Wait for a thread created with `createLowLevelThread` to terminate. * * Note: In a Windows DLL, if this function is called via DllMain with * argument DLL_PROCESS_DETACH, the thread is terminated forcefully * without proper cleanup as a deadlock would happen otherwise. * * Params: * tid = the thread ID returned by `createLowLevelThread`. */ void joinLowLevelThread(ThreadID tid) nothrow @nogc { version (Windows) { HANDLE handle = OpenThreadHandle(tid); if (!handle) return; if (thread_DLLProcessDetaching) { // When being called from DllMain/DLL_DETACH_PROCESS, threads cannot stop // due to the loader lock being held by the current thread. // On the other hand, the thread must not continue to run as it will crash // if the DLL is unloaded. The best guess is to terminate it immediately. TerminateThread(handle, 1); WaitForSingleObject(handle, 10); // give it some time to terminate, but don't wait indefinitely } else WaitForSingleObject(handle, INFINITE); CloseHandle(handle); } else version (Posix) { if (pthread_join(tid, null) != 0) onThreadError("Unable to join thread"); } } nothrow @nogc unittest { struct TaskWithContect { shared int n = 0; void run() nothrow { n.atomicOp!"+="(1); } } TaskWithContect task; ThreadID[8] tids; for (int i = 0; i < tids.length; i++) { tids[i] = createLowLevelThread(&task.run); assert(tids[i] != ThreadID.init); } for (int i = 0; i < tids.length; i++) joinLowLevelThread(tids[i]); assert(task.n == tids.length); } version (Posix) private size_t adjustStackSize(size_t sz) nothrow @nogc { if (sz == 0) return 0; // stack size must be at least PTHREAD_STACK_MIN for most platforms. if (PTHREAD_STACK_MIN > sz) sz = PTHREAD_STACK_MIN; version (CRuntime_Glibc) { // On glibc, TLS uses the top of the stack, so add its size to the requested size sz += externDFunc!("rt.sections_elf_shared.sizeOfTLS", size_t function() @nogc nothrow)(); } // stack size must be a multiple of PAGESIZE sz = ((sz + PAGESIZE - 1) & ~(PAGESIZE - 1)); return sz; }
D
import std.stdio; import std.array; import std.string; import std.conv; import std.algorithm; import std.typecons; import std.range; import std.container; void main() { int N = readln().chomp.to!int; //auto C = readln().split.map!(to!int).array.heapify!"a > b"; auto C = readln().split.map!(to!int); auto B = readln().split.map!(to!int).array; int ans = int.max; foreach (i; iota(N)) { int m = 0; Tuple!(int, int)[] D = new Tuple!(int, int)[](N); foreach (k; iota(N)) D[k] = tuple(C[k], 0); auto A = D.heapify!"a > b"; foreach (j; iota(N)) { Tuple!(int, int) top = A.front; A.removeFront; A.insert(tuple(top[0]+B[(i+j)%N]/2, top[1]+1)); } foreach(a; A.take(N)) if (a[1] > m) m = a[1]; ans = min(ans, m); } writeln(ans); }
D
module des.gl.fbo; import std.exception; import std.conv; import des.gl.general; import des.gl.texture; import des.gl.rbo; /// class GLFBOException : DesGLException { /// this( string msg, string file=__FILE__, size_t line=__LINE__ ) @safe pure nothrow { super( msg, file, line ); } } /// class GLFrameBuffer : GLObject!"Framebuffer" { mixin DES; mixin ClassLogger; protected: static uint[] id_stack; /// enum Attachment { COLOR = GL_COLOR_ATTACHMENT0, /// `GL_COLOR_ATTACHMENT0` DEPTH = GL_DEPTH_ATTACHMENT, /// `GL_DEPTH_ATTACHMENT` STENCIL = GL_STENCIL_ATTACHMENT, /// `GL_STENCIL_ATTACHMENT` DEPTH_STENCIL = GL_DEPTH_STENCIL_ATTACHMENT, /// `GL_DEPTH_STENCIL_ATTACHMENT` } public: /// this() { if( id_stack.length == 0 ) id_stack ~= 0; super( GL_FRAMEBUFFER ); logger.Debug( "pass" ); } final { /// `glBindFramebuffer` add id to stack override void bind() { if( id_stack[$-1] == id ) return; ntCheckGLCall!glBindFramebuffer( GL_FRAMEBUFFER, id ); id_stack ~= id; debug logger.trace( "pass" ); } /// pop from stack old frame buffer id and `glBindFramebuffer` with it override void unbind() { if( id_stack.length < 2 && id_stack[$-1] != id ) return; id_stack.length--; ntCheckGLCall!glBindFramebuffer( GL_FRAMEBUFFER, id_stack[$-1] ); debug logger.trace( "bind [%d]", id_stack[$-1] ); } } /// void drawBuffers( in int[] bufs... ) { int max_bufs; checkGLCall!glGetIntegerv( GL_MAX_DRAW_BUFFERS, &max_bufs ); enforce( bufs.length < max_bufs, new GLFBOException( format( "count of draw buffers greater what max value (%d>%d)", bufs.length, max_bufs ) ) ); bind(); scope(exit) unbind(); GLenum[] res; foreach( val; bufs ) if( val < 0 ) res ~= GL_NONE; else res ~= cast(GLenum)( Attachment.COLOR + val ); checkGLCall!glDrawBuffers( cast(int)res.length, res.ptr ); } /// set render buffer as depth attachment void setDepth( GLRenderBuffer rbo ) in{ assert( rbo !is null ); } body { bind(); scope(exit) unbind(); setRBO( rbo, Attachment.DEPTH ); logger.Debug( "[%d]", rbo.id ); } /// set render buffer as color attachment void setColor( GLRenderBuffer rbo, uint no ) in{ assert( rbo !is null ); } body { bind(); scope(exit) unbind(); setRBO( rbo, cast(GLenum)( Attachment.COLOR + no ) ); logger.Debug( "[%d] as COLOR%d", rbo.id, no ); } /// set texture as depth attachment void setDepth( GLTexture tex ) { bind(); scope(exit) unbind(); setTex( tex, Attachment.DEPTH ); logger.Debug( "[%d]", tex.id ); } /// set texture as color attachment void setColor( GLTexture tex, uint no=0 ) { bind(); scope(exit) unbind(); setTex( tex, cast(GLenum)( Attachment.COLOR + no ) ); logger.Debug( "[%d] as COLOR%d", tex.id, no ); } /// `glCheckFramebufferStatus` void check() { bind(); scope(exit) unbind(); auto status = checkGLCall!glCheckFramebufferStatus( GL_FRAMEBUFFER ); import std.string; if( status != GL_FRAMEBUFFER_COMPLETE ) throw new GLFBOException( format( "status isn't GL_FRAMEBUFFER_COMPLETE, it's %#x", status ) ); logger.Debug( "pass" ); } protected: /// warning: no bind void setRBO( GLRenderBuffer rbo, GLenum attachment ) in{ assert( rbo !is null ); } body { checkGLCall!glFramebufferRenderbuffer( GL_FRAMEBUFFER, attachment, GL_RENDERBUFFER, rbo.id ); } /// warning: no bind void texture1D( GLTexture tex, GLenum attachment, uint level=0 ) in { assert( tex !is null ); } body { checkGLCall!glFramebufferTexture1D( GL_FRAMEBUFFER, attachment, GL_TEXTURE_1D, tex.id, level ); } /// warning: no bind void texture2D( GLTexture tex, GLenum attachment, uint level=0 ) in { assert( tex !is null ); } body { checkGLCall!glFramebufferTexture2D( GL_FRAMEBUFFER, attachment, tex.target, tex.id, level ); } /// warning: no bind void texture3D( GLTexture tex, GLenum attachment, uint level=0, int layer=0 ) in { assert( tex !is null ); } body { checkGLCall!glFramebufferTexture3D( GL_FRAMEBUFFER, attachment, tex.target, tex.id, level, layer ); } /// warning: no bind void texture( GLTexture tex, GLenum attachment, uint level=0 ) { checkGLCall!glFramebufferTexture( GL_FRAMEBUFFER, attachment, tex.id, level ); } /// warning: no bind void textureLayer( GLTexture tex, GLenum attachment, uint layer, uint level=0 ) { checkGLCall!glFramebufferTextureLayer( GL_FRAMEBUFFER, attachment, tex.id, level, layer ); } /// warning: no bind void setTex( GLTexture tex, GLenum attachment ) { if( tex.target == GL_TEXTURE_1D ) texture1D( tex, attachment ); else if( tex.target == GL_TEXTURE_3D || tex.target == GL_TEXTURE_2D_ARRAY || tex.target == GL_TEXTURE_CUBE_MAP_ARRAY ) texture3D( tex, attachment ); else texture2D( tex, attachment, tex.target ); } }
D
module rocl.status; import std.array, std.typecons, std.algorithm, perfontain, rocl.controls, rocl.status.helpers; public import rocl.game, rocl.status.item, rocl.status.enums; final class Status { ~this() { items.clear; } auto skillOf(ushort id) { auto arr = skills.find!((a, b) => a.id == b)(id); return arr.empty ? null : arr.front; } // misc string map; // character Stat[RO_STAT_MAX] stats; Bonus[RO_BONUS_MAX] bonuses; // skills Skill[] skills; Items items; // rest Param!uint hp, sp, maxHp, maxSp, bexp, jexp, bnextExp, jnextExp; Param!ushort blvl, jlvl; } struct Items { void clear() { arr = null; } void add(Item m) { assert(getIdx(m.idx) is null); arr ~= m; onAdded(m); } void remove(Item m) { arr.remove(m); } auto getIdx(ushort idx) { auto r = get(a => a.idx == idx); assert(r.length < 2); return r.empty ? null : r.front; } auto get(scope bool delegate(Item) dg) { return arr[].filter!dg .array .sort!((a, b) => a.idx < b.idx) .release; } RCArray!Item arr; Signal!(void, Item) onAdded; } struct Param(T) { Signal!(void, T) onChange; mixin StatusValue!(T, `value`, onUpdate); private: void onUpdate() { onChange(value); } } struct Stat { mixin StatusIndex!(`stats`); mixin StatusValue!(ubyte, `base`, onUpdate); mixin StatusValue!(ubyte, `bonus`, onUpdate); mixin StatusValue!(ubyte, `needs`, onUpdate); private: void onUpdate() { //RO.gui.status.stats.update(this); } } struct Bonus { mixin StatusIndex!(`bonuses`); mixin StatusValue!(short, `base`, onUpdate); mixin StatusValue!(short, `base2`, onUpdate); private: void onUpdate() { //RO.gui.status.bonuses.update(this); } } final class Skiller : RCounted { this(in Skill s, ubyte lvl) { _s = s; _lvl = lvl ? lvl : s.lvl; } ~this() { if (_bg) { //_bg.deattach; } } void use() { if (_s.type == INF_SELF_SKILL) { use(ROent.self.bl); } else { RO.action.use(this); //_bg = new TargetSelector; } } void use(Vector2s p) { ROnet.useSkill(_lvl, _s.id, p); } void use(uint bl) { ROnet.useSkill(_lvl, _s.id, bl); } @property ground() const { return _s.type == INF_GROUND_SKILL; } private: ubyte _lvl; const Skill _s; GUIElement _bg; } final class Skill { mixin StatusIndex!(`skills`); ushort id; string name; ubyte type, range; mixin StatusValue!(ushort, `sp`, onUpdate); mixin StatusValue!(ubyte, `lvl`, onUpdate); mixin StatusValue!(bool, `upgradable`, onUpdate); private: void onUpdate() { //RO.gui.skills.update(this); } }
D
/Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Producer.o : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Producer~partial.swiftmodule : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Producer~partial.swiftdoc : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
var int Sarah_ItemsGiven_Chapter_1; var int Sarah_ItemsGiven_Chapter_2; var int Sarah_ItemsGiven_Chapter_3; var int Sarah_ItemsGiven_Chapter_4; var int Sarah_ItemsGiven_Chapter_5; func void B_GiveTradeInv_Sarah(var C_Npc slf) { if((Kapitel >= 1) && (Sarah_ItemsGiven_Chapter_1 == FALSE)) { CreateInvItems(slf,ItMi_Gold,20); CreateInvItems(slf,ItLsTorch,20); CreateInvItems(slf,ItRw_Arrow,50); CreateInvItems(slf,ItMw_ShortSword3,1); CreateInvItems(slf,ItMw_ShortSword4,1); CreateInvItems(slf,ItMw_ShortSword5,1); CreateInvItems(slf,ItMw_Kriegshammer1,1); // CreateInvItems(slf,ItMw_Stabkeule,1); // CreateInvItems(slf,ItMw_Steinbrecher,1); // CreateInvItems(slf,ItMw_Schwert2,1); // CreateInvItems(slf,ItMw_Bartaxt,1); CreateInvItems(slf,ItMw_1h_Vlk_Sword,1); CreateInvItems(slf,ItMw_1h_Nov_Mace,1); CreateInvItems(slf,ItMw_1H_Sword_L_03,1); // CreateInvItems(slf,ItMw_Zweihaender2,1); // CreateInvItems(slf,ItMw_Schwert5,1); // CreateInvItems(slf,ItMw_Inquisitor,1); // CreateInvItems(slf,ItMw_Kriegshammer2,1); // CreateInvItems(slf,ItMw_Zweihaender4,1); // CreateInvItems(slf,ItMw_Krummschwert,1); CreateInvItems(slf,ItRi_HP_01,1); Sarah_ItemsGiven_Chapter_1 = TRUE; }; if((Kapitel >= 2) && (Sarah_ItemsGiven_Chapter_2 == FALSE)) { CreateInvItems(slf,ItMi_Gold,20); CreateInvItems(slf,ItLsTorch,5); CreateInvItems(slf,ItRw_Arrow,50); CreateInvItems(slf,ItMw_Stabkeule,1); CreateInvItems(slf,ItMw_Steinbrecher,1); CreateInvItems(slf,ItMw_Schwert2,1); CreateInvItems(slf,ItMw_Bartaxt,1); Sarah_ItemsGiven_Chapter_2 = TRUE; }; if((Kapitel >= 3) && (Sarah_ItemsGiven_Chapter_3 == FALSE)) { CreateInvItems(slf,ItMi_Gold,25); CreateInvItems(slf,ItRw_Arrow,50); CreateInvItems(slf,ItMw_Zweihaender2,1); CreateInvItems(slf,ItMw_Schwert5,1); CreateInvItems(slf,ItMw_Inquisitor,1); CreateInvItems(slf,ItMw_Kriegshammer2,1); Sarah_ItemsGiven_Chapter_3 = TRUE; }; if((Kapitel >= 4) && (Sarah_ItemsGiven_Chapter_4 == FALSE)) { CreateInvItems(slf,ItMi_Gold,100); CreateInvItems(slf,ItRw_Arrow,50); CreateInvItems(slf,ItMw_Zweihaender4,1); CreateInvItems(slf,ItMw_Krummschwert,1); Sarah_ItemsGiven_Chapter_4 = TRUE; }; if((Kapitel >= 5) && (Sarah_ItemsGiven_Chapter_5 == FALSE)) { CreateInvItems(slf,ItMi_Gold,200); CreateInvItems(slf,ItRw_Arrow,50); Sarah_ItemsGiven_Chapter_5 = TRUE; }; };
D
/* Converted to D from gsl_odeiv.h by htod * and edited by daniel truemper <truemped.dsource <with> hence22.org> */ module auxc.gsl.gsl_odeiv; /* ode-initval/gsl_odeiv.h * * Copyright (C) 1996, 1997, 1998, 1999, 2000 Gerard Jungman * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or (at * your option) any later version. * * This program is distributed in the hope that it will be useful, but * WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. */ /* Author: G. Jungman */ import tango.stdc.stdio; import tango.stdc.stdlib; public import auxc.gsl.gsl_types; /* Description of a system of ODEs. * * y' = f(t,y) = dydt(t, y) * * The system is specified by giving the right-hand-side * of the equation and possibly a jacobian function. * * Some methods require the jacobian function, which calculates * the matrix dfdy and the vector dfdt. The matrix dfdy conforms * to the GSL standard, being a continuous range of floating point * values, in row-order. * * As with GSL function objects, user-supplied parameter * data is also present. */ extern (C): struct gsl_odeiv_system { int function(double t, double *y, double *dydt, void *params)func; int function(double t, double *y, double *dfdy, double *dfdt, void *params)jacobian; size_t dimension; void *params; }; /* General stepper object. * * Opaque object for stepping an ODE system from t to t+h. * In general the object has some state which facilitates * iterating the stepping operation. */ struct gsl_odeiv_step_type { char *name; int can_use_dydt_in; int gives_exact_dydt_out; void * function(size_t dim)alloc; int function(void *state, size_t dim, double t, double h, double *y, double *yerr, double *dydt_in, double *dydt_out, gsl_odeiv_system *dydt)apply; int function(void *state, size_t dim)reset; uint function(void *state)order; void function(void *state)free; }; struct gsl_odeiv_step { gsl_odeiv_step_type *type; size_t dimension; void *state; }; /* Available stepper types. * * rk2 : embedded 2nd(3rd) Runge-Kutta * rk4 : 4th order (classical) Runge-Kutta * rkck : embedded 4th(5th) Runge-Kutta, Cash-Karp * rk8pd : embedded 8th(9th) Runge-Kutta, Prince-Dormand * rk2imp : implicit 2nd order Runge-Kutta at Gaussian points * rk4imp : implicit 4th order Runge-Kutta at Gaussian points * gear1 : M=1 implicit Gear method * gear2 : M=2 implicit Gear method */ extern gsl_odeiv_step_type *gsl_odeiv_step_rk2; extern gsl_odeiv_step_type *gsl_odeiv_step_rk4; extern gsl_odeiv_step_type *gsl_odeiv_step_rkf45; extern gsl_odeiv_step_type *gsl_odeiv_step_rkck; extern gsl_odeiv_step_type *gsl_odeiv_step_rk8pd; extern gsl_odeiv_step_type *gsl_odeiv_step_rk2imp; extern gsl_odeiv_step_type *gsl_odeiv_step_rk2simp; extern gsl_odeiv_step_type *gsl_odeiv_step_rk4imp; extern gsl_odeiv_step_type *gsl_odeiv_step_bsimp; extern gsl_odeiv_step_type *gsl_odeiv_step_gear1; extern gsl_odeiv_step_type *gsl_odeiv_step_gear2; /* Constructor for specialized stepper objects. */ gsl_odeiv_step * gsl_odeiv_step_alloc(gsl_odeiv_step_type *T, size_t dim); int gsl_odeiv_step_reset(gsl_odeiv_step *s); void gsl_odeiv_step_free(gsl_odeiv_step *s); /* General stepper object methods. */ char * gsl_odeiv_step_name(gsl_odeiv_step *); uint gsl_odeiv_step_order(gsl_odeiv_step *s); int gsl_odeiv_step_apply(gsl_odeiv_step *, double t, double h, double *y, double *yerr, double *dydt_in, double *dydt_out, gsl_odeiv_system *dydt); /* General step size control object. * * The hadjust() method controls the adjustment of * step size given the result of a step and the error. * Valid hadjust() methods must return one of the codes below. * * The general data can be used by specializations * to store state and control their heuristics. */ struct gsl_odeiv_control_type { char *name; void * function()alloc; int function(void *state, double eps_abs, double eps_rel, double a_y, double a_dydt)init; int function(void *state, size_t dim, uint ord, double *y, double *yerr, double *yp, double *h)hadjust; void function(void *state)free; }; struct gsl_odeiv_control { gsl_odeiv_control_type *type; void *state; }; /* Possible return values for an hadjust() evolution method. */ const GSL_ODEIV_HADJ_INC = 1; const GSL_ODEIV_HADJ_NIL = 0; gsl_odeiv_control * gsl_odeiv_control_alloc(gsl_odeiv_control_type *T); int gsl_odeiv_control_init(gsl_odeiv_control *c, double eps_abs, double eps_rel, double a_y, double a_dydt); void gsl_odeiv_control_free(gsl_odeiv_control *c); int gsl_odeiv_control_hadjust(gsl_odeiv_control *c, gsl_odeiv_step *s, double *y0, double *yerr, double *dydt, double *h); char * gsl_odeiv_control_name(gsl_odeiv_control *c); /* Available control object constructors. * * The standard control object is a four parameter heuristic * defined as follows: * D0 = eps_abs + eps_rel * (a_y |y| + a_dydt h |y'|) * D1 = |yerr| * q = consistency order of method (q=4 for 4(5) embedded RK) * S = safety factor (0.9 say) * * / (D0/D1)^(1/(q+1)) D0 >= D1 * h_NEW = S h_OLD * | * \ (D0/D1)^(1/q) D0 < D1 * * This encompasses all the standard error scaling methods. * * The y method is the standard method with a_y=1, a_dydt=0. * The yp method is the standard method with a_y=0, a_dydt=1. */ gsl_odeiv_control * gsl_odeiv_control_standard_new(double eps_abs, double eps_rel, double a_y, double a_dydt); gsl_odeiv_control * gsl_odeiv_control_y_new(double eps_abs, double eps_rel); gsl_odeiv_control * gsl_odeiv_control_yp_new(double eps_abs, double eps_rel); /* This controller computes errors using different absolute errors for * each component * * D0 = eps_abs * scale_abs[i] + eps_rel * (a_y |y| + a_dydt h |y'|) */ gsl_odeiv_control * gsl_odeiv_control_scaled_new(double eps_abs, double eps_rel, double a_y, double a_dydt, double *scale_abs, size_t dim); /* General evolution object. */ struct gsl_odeiv_evolve { size_t dimension; double *y0; double *yerr; double *dydt_in; double *dydt_out; double last_step; uint count; uint failed_steps; }; /* Evolution object methods. */ gsl_odeiv_evolve * gsl_odeiv_evolve_alloc(size_t dim); int gsl_odeiv_evolve_apply(gsl_odeiv_evolve *, gsl_odeiv_control *con, gsl_odeiv_step *step, gsl_odeiv_system *dydt, double *t, double t1, double *h, double *y); int gsl_odeiv_evolve_reset(gsl_odeiv_evolve *); void gsl_odeiv_evolve_free(gsl_odeiv_evolve *);
D
/* wc: Count characters, lines, etc. Written by: chaomodus 2019-10-19T20:29:40 Bugs: Word count seems to be different from how GNU util counts words. Max-line-length seems to be different from GNU util. */ import std.getopt; import std.stdio; import std.regex; import std.string; import std.conv; import std.algorithm.searching; auto whitespace_regex = ctRegex!(`[\t ]+`); struct FileStats { string fname; File file; ulong char_count; ulong line_count; ulong word_count; ulong max_line_length; void doCount() { while (!this.file.eof) { auto line = this.file.readln(); if (line.length > this.max_line_length) { this.max_line_length = line.length; } if (line.canFind("\n") || line.canFind("\r")) { this.line_count += 1; } this.char_count += line.length; string[] words = line.split(whitespace_regex); this.word_count += words.length; } } }; int main(string[] args) { bool show_chars = true, show_lines = true, show_words = true, show_line_lengths = false; bool seen_chars, seen_lines, seen_words, seen_line_lengths; auto helpInformation = getopt(args, std.getopt.config.passThrough, std.getopt.config.bundling, "c|chars|m|bytes", "Show the character/byte count.", &seen_chars, "l|lines", "Show the line count.", &seen_lines, "w|words", "Show the word count.", &seen_words, "L|line-length", "Show maximum line lengths.", &seen_line_lengths, ); if (helpInformation.helpWanted) { defaultGetoptPrinter("Show character, line, word counts.", helpInformation.options); return 1; } if (seen_chars || seen_lines || seen_words || seen_line_lengths) { show_chars = seen_chars; show_lines = seen_lines; show_words = seen_words; show_line_lengths = seen_line_lengths; } FileStats*[] files; FileStats *fs; if (args.length > 1) { foreach (file_arg; args[1..$]) { fs = new FileStats; if (file_arg == "-") { fs.file = stdin; } else { fs.file = File(file_arg, "r"); } fs.fname = file_arg; files ~= fs; } } else { fs = new FileStats; fs.file = stdin; fs.fname = "-"; files ~= fs; } ulong char_count_total, line_count_total, word_count_total, max_line_length; foreach (f; files) { f.doCount(); char_count_total += f.char_count; line_count_total += f.line_count; word_count_total += f.word_count; if (f.max_line_length > max_line_length) { max_line_length = f.max_line_length; } string[] output; if (show_lines) output ~= to!string(f.line_count); if (show_words) output ~= to!string(f.word_count); if (show_chars) output ~= to!string(f.char_count); if (show_words) output ~= to!string(f.word_count); output ~= f.fname; writeln(join(output, " ")); } return 0; }
D
module android.java.android.telephony.SmsManager_FinancialSmsCallback_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.android.database.CursorWindow_d_interface; @JavaName("SmsManager$FinancialSmsCallback") final class SmsManager_FinancialSmsCallback : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import this(arsd.jni.Default); @Import void onFinancialSmsMessages(import0.CursorWindow); @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/telephony/SmsManager$FinancialSmsCallback;"; }
D
int main() { Print("Golden Teacher"); Print("This is not who you think I am :)"); Print("Neque porro quisquam est qui dolorem ipsum quia dolor sit amet, consectetur, adipisci velit..."); Print("guKsV . %2D! 9t&nipdd%eXyWoZK TQAehXILLj3Jf2TX iSbonzX eJ"); }
D
/** * Defines a D type. * * 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/mtype.d, _mtype.d) * Documentation: https://dlang.org/phobos/dmd_mtype.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/mtype.d */ module dmd.mtype; import core.checkedint; import core.stdc.stdarg; import core.stdc.stdio; import core.stdc.stdlib; import core.stdc.string; import dmd.aggregate; import dmd.arraytypes; import dmd.attrib; import dmd.astenums; import dmd.ast_node; import dmd.gluelayer; import dmd.dclass; import dmd.declaration; import dmd.denum; import dmd.dmangle; import dmd.dscope; import dmd.dstruct; import dmd.dsymbol; import dmd.dsymbolsem; import dmd.dtemplate; import dmd.errors; import dmd.expression; import dmd.expressionsem; import dmd.func; import dmd.globals; import dmd.hdrgen; import dmd.id; import dmd.identifier; import dmd.init; import dmd.location; import dmd.opover; import dmd.root.ctfloat; import dmd.common.outbuffer; import dmd.root.rmem; import dmd.root.rootobject; import dmd.root.stringtable; import dmd.target; import dmd.tokens; import dmd.typesem; import dmd.visitor; enum LOGDOTEXP = 0; // log ::dotExp() enum LOGDEFAULTINIT = 0; // log ::defaultInit() enum SIZE_INVALID = (~cast(uinteger_t)0); // error return from size() functions /*************************** * Return !=0 if modfrom can be implicitly converted to modto */ bool MODimplicitConv(MOD modfrom, MOD modto) pure nothrow @nogc @safe { if (modfrom == modto) return true; //printf("MODimplicitConv(from = %x, to = %x)\n", modfrom, modto); auto X(T, U)(T m, U n) { return ((m << 4) | n); } switch (X(modfrom & ~MODFlags.shared_, modto & ~MODFlags.shared_)) { case X(0, MODFlags.const_): case X(MODFlags.wild, MODFlags.const_): case X(MODFlags.wild, MODFlags.wildconst): case X(MODFlags.wildconst, MODFlags.const_): return (modfrom & MODFlags.shared_) == (modto & MODFlags.shared_); case X(MODFlags.immutable_, MODFlags.const_): case X(MODFlags.immutable_, MODFlags.wildconst): return true; default: return false; } } /*************************** * Return MATCH.exact or MATCH.constant if a method of type '() modfrom' can call a method of type '() modto'. */ MATCH MODmethodConv(MOD modfrom, MOD modto) pure nothrow @nogc @safe { if (modfrom == modto) return MATCH.exact; if (MODimplicitConv(modfrom, modto)) return MATCH.constant; auto X(T, U)(T m, U n) { return ((m << 4) | n); } switch (X(modfrom, modto)) { case X(0, MODFlags.wild): case X(MODFlags.immutable_, MODFlags.wild): case X(MODFlags.const_, MODFlags.wild): case X(MODFlags.wildconst, MODFlags.wild): case X(MODFlags.shared_, MODFlags.shared_ | MODFlags.wild): case X(MODFlags.shared_ | MODFlags.immutable_, MODFlags.shared_ | MODFlags.wild): case X(MODFlags.shared_ | MODFlags.const_, MODFlags.shared_ | MODFlags.wild): case X(MODFlags.shared_ | MODFlags.wildconst, MODFlags.shared_ | MODFlags.wild): return MATCH.constant; default: return MATCH.nomatch; } } /*************************** * Merge mod bits to form common mod. */ MOD MODmerge(MOD mod1, MOD mod2) pure nothrow @nogc @safe { if (mod1 == mod2) return mod1; //printf("MODmerge(1 = %x, 2 = %x)\n", mod1, mod2); MOD result = 0; if ((mod1 | mod2) & MODFlags.shared_) { // If either type is shared, the result will be shared result |= MODFlags.shared_; mod1 &= ~MODFlags.shared_; mod2 &= ~MODFlags.shared_; } if (mod1 == 0 || mod1 == MODFlags.mutable || mod1 == MODFlags.const_ || mod2 == 0 || mod2 == MODFlags.mutable || mod2 == MODFlags.const_) { // If either type is mutable or const, the result will be const. result |= MODFlags.const_; } else { // MODFlags.immutable_ vs MODFlags.wild // MODFlags.immutable_ vs MODFlags.wildconst // MODFlags.wild vs MODFlags.wildconst assert(mod1 & MODFlags.wild || mod2 & MODFlags.wild); result |= MODFlags.wildconst; } return result; } /********************************* * Store modifier name into buf. */ void MODtoBuffer(OutBuffer* buf, MOD mod) nothrow { buf.writestring(MODtoString(mod)); } /********************************* * Returns: * a human readable representation of `mod`, * which is the token `mod` corresponds to */ const(char)* MODtoChars(MOD mod) nothrow pure { /// Works because we return a literal return MODtoString(mod).ptr; } /// Ditto string MODtoString(MOD mod) nothrow pure { final switch (mod) { case 0: return ""; case MODFlags.immutable_: return "immutable"; case MODFlags.shared_: return "shared"; case MODFlags.shared_ | MODFlags.const_: return "shared const"; case MODFlags.const_: return "const"; case MODFlags.shared_ | MODFlags.wild: return "shared inout"; case MODFlags.wild: return "inout"; case MODFlags.shared_ | MODFlags.wildconst: return "shared inout const"; case MODFlags.wildconst: return "inout const"; } } /************************************************* * Pick off one of the trust flags from trust, * and return a string representation of it. */ string trustToString(TRUST trust) pure nothrow @nogc @safe { final switch (trust) { case TRUST.default_: return null; case TRUST.system: return "@system"; case TRUST.trusted: return "@trusted"; case TRUST.safe: return "@safe"; } } unittest { assert(trustToString(TRUST.default_) == ""); assert(trustToString(TRUST.system) == "@system"); assert(trustToString(TRUST.trusted) == "@trusted"); assert(trustToString(TRUST.safe) == "@safe"); } /************************************ * Convert MODxxxx to STCxxx */ StorageClass ModToStc(uint mod) pure nothrow @nogc @safe { StorageClass stc = 0; if (mod & MODFlags.immutable_) stc |= STC.immutable_; if (mod & MODFlags.const_) stc |= STC.const_; if (mod & MODFlags.wild) stc |= STC.wild; if (mod & MODFlags.shared_) stc |= STC.shared_; return stc; } ///Returns true if ty is char, wchar, or dchar bool isSomeChar(TY ty) pure nothrow @nogc @safe { return ty == Tchar || ty == Twchar || ty == Tdchar; } /************************************ * Determine mutability of indirections in (ref) t. * * Returns: When the type has any mutable indirections, returns 0. * When all indirections are immutable, returns 2. * Otherwise, when the type has const/inout indirections, returns 1. * * Params: * isref = if true, check `ref t`; otherwise, check just `t` * t = the type that is being checked */ int mutabilityOfType(bool isref, Type t) { if (isref) { if (t.mod & MODFlags.immutable_) return 2; if (t.mod & (MODFlags.const_ | MODFlags.wild)) return 1; return 0; } t = t.baseElemOf(); if (!t.hasPointers() || t.mod & MODFlags.immutable_) return 2; /* Accept immutable(T)[] and immutable(T)* as being strongly pure */ if (t.ty == Tarray || t.ty == Tpointer) { Type tn = t.nextOf().toBasetype(); if (tn.mod & MODFlags.immutable_) return 2; if (tn.mod & (MODFlags.const_ | MODFlags.wild)) return 1; } /* The rest of this is too strict; fix later. * For example, the only pointer members of a struct may be immutable, * which would maintain strong purity. * (Just like for dynamic arrays and pointers above.) */ if (t.mod & (MODFlags.const_ | MODFlags.wild)) return 1; /* Should catch delegates and function pointers, and fold in their purity */ return 0; } /**************** * dotExp() bit flags */ enum DotExpFlag { none = 0, gag = 1, // don't report "not a property" error and just return null noDeref = 2, // the use of the expression will not attempt a dereference noAliasThis = 4, // don't do 'alias this' resolution } /// Result of a check whether two types are covariant enum Covariant { distinct = 0, /// types are distinct yes = 1, /// types are covariant no = 2, /// arguments match as far as overloading goes, but types are not covariant fwdref = 3, /// cannot determine covariance because of forward references } /*********************************************************** */ extern (C++) abstract class Type : ASTNode { TY ty; MOD mod; // modifiers MODxxxx char* deco; static struct Mcache { /* These are cached values that are lazily evaluated by constOf(), immutableOf(), etc. * They should not be referenced by anybody but mtype.d. * They can be null if not lazily evaluated yet. * Note that there is no "shared immutable", because that is just immutable * The point of this is to reduce the size of each Type instance as * we bank on the idea that usually only one of variants exist. * It will also speed up code because these are rarely referenced and * so need not be in the cache. */ Type cto; // MODFlags.const_ Type ito; // MODFlags.immutable_ Type sto; // MODFlags.shared_ Type scto; // MODFlags.shared_ | MODFlags.const_ Type wto; // MODFlags.wild Type wcto; // MODFlags.wildconst Type swto; // MODFlags.shared_ | MODFlags.wild Type swcto; // MODFlags.shared_ | MODFlags.wildconst } private Mcache* mcache; Type pto; // merged pointer to this type Type rto; // reference to this type Type arrayof; // array of this type TypeInfoDeclaration vtinfo; // TypeInfo object for this Type type* ctype; // for back end extern (C++) __gshared Type tvoid; extern (C++) __gshared Type tint8; extern (C++) __gshared Type tuns8; extern (C++) __gshared Type tint16; extern (C++) __gshared Type tuns16; extern (C++) __gshared Type tint32; extern (C++) __gshared Type tuns32; extern (C++) __gshared Type tint64; extern (C++) __gshared Type tuns64; extern (C++) __gshared Type tint128; extern (C++) __gshared Type tuns128; extern (C++) __gshared Type tfloat32; extern (C++) __gshared Type tfloat64; extern (C++) __gshared Type tfloat80; extern (C++) __gshared Type timaginary32; extern (C++) __gshared Type timaginary64; extern (C++) __gshared Type timaginary80; extern (C++) __gshared Type tcomplex32; extern (C++) __gshared Type tcomplex64; extern (C++) __gshared Type tcomplex80; extern (C++) __gshared Type tbool; extern (C++) __gshared Type tchar; extern (C++) __gshared Type twchar; extern (C++) __gshared Type tdchar; // Some special types extern (C++) __gshared Type tshiftcnt; extern (C++) __gshared Type tvoidptr; // void* extern (C++) __gshared Type tstring; // immutable(char)[] extern (C++) __gshared Type twstring; // immutable(wchar)[] extern (C++) __gshared Type tdstring; // immutable(dchar)[] extern (C++) __gshared Type terror; // for error recovery extern (C++) __gshared Type tnull; // for null type extern (C++) __gshared Type tnoreturn; // for bottom type typeof(*null) extern (C++) __gshared Type tsize_t; // matches size_t alias extern (C++) __gshared Type tptrdiff_t; // matches ptrdiff_t alias extern (C++) __gshared Type thash_t; // matches hash_t alias extern (C++) __gshared ClassDeclaration dtypeinfo; extern (C++) __gshared ClassDeclaration typeinfoclass; extern (C++) __gshared ClassDeclaration typeinfointerface; extern (C++) __gshared ClassDeclaration typeinfostruct; extern (C++) __gshared ClassDeclaration typeinfopointer; extern (C++) __gshared ClassDeclaration typeinfoarray; extern (C++) __gshared ClassDeclaration typeinfostaticarray; extern (C++) __gshared ClassDeclaration typeinfoassociativearray; extern (C++) __gshared ClassDeclaration typeinfovector; extern (C++) __gshared ClassDeclaration typeinfoenum; extern (C++) __gshared ClassDeclaration typeinfofunction; extern (C++) __gshared ClassDeclaration typeinfodelegate; extern (C++) __gshared ClassDeclaration typeinfotypelist; extern (C++) __gshared ClassDeclaration typeinfoconst; extern (C++) __gshared ClassDeclaration typeinfoinvariant; extern (C++) __gshared ClassDeclaration typeinfoshared; extern (C++) __gshared ClassDeclaration typeinfowild; extern (C++) __gshared TemplateDeclaration rtinfo; extern (C++) __gshared Type[TMAX] basic; extern (D) __gshared StringTable!Type stringtable; extern (D) private static immutable ubyte[TMAX] sizeTy = () { ubyte[TMAX] sizeTy = __traits(classInstanceSize, TypeBasic); sizeTy[Tsarray] = __traits(classInstanceSize, TypeSArray); sizeTy[Tarray] = __traits(classInstanceSize, TypeDArray); sizeTy[Taarray] = __traits(classInstanceSize, TypeAArray); sizeTy[Tpointer] = __traits(classInstanceSize, TypePointer); sizeTy[Treference] = __traits(classInstanceSize, TypeReference); sizeTy[Tfunction] = __traits(classInstanceSize, TypeFunction); sizeTy[Tdelegate] = __traits(classInstanceSize, TypeDelegate); sizeTy[Tident] = __traits(classInstanceSize, TypeIdentifier); sizeTy[Tinstance] = __traits(classInstanceSize, TypeInstance); sizeTy[Ttypeof] = __traits(classInstanceSize, TypeTypeof); sizeTy[Tenum] = __traits(classInstanceSize, TypeEnum); sizeTy[Tstruct] = __traits(classInstanceSize, TypeStruct); sizeTy[Tclass] = __traits(classInstanceSize, TypeClass); sizeTy[Ttuple] = __traits(classInstanceSize, TypeTuple); sizeTy[Tslice] = __traits(classInstanceSize, TypeSlice); sizeTy[Treturn] = __traits(classInstanceSize, TypeReturn); sizeTy[Terror] = __traits(classInstanceSize, TypeError); sizeTy[Tnull] = __traits(classInstanceSize, TypeNull); sizeTy[Tvector] = __traits(classInstanceSize, TypeVector); sizeTy[Ttraits] = __traits(classInstanceSize, TypeTraits); sizeTy[Tmixin] = __traits(classInstanceSize, TypeMixin); sizeTy[Tnoreturn] = __traits(classInstanceSize, TypeNoreturn); sizeTy[Ttag] = __traits(classInstanceSize, TypeTag); return sizeTy; }(); final extern (D) this(TY ty) scope { this.ty = ty; } const(char)* kind() const nothrow pure @nogc @safe { assert(false); // should be overridden } final Type copy() nothrow const { Type t = cast(Type)mem.xmalloc(sizeTy[ty]); memcpy(cast(void*)t, cast(void*)this, sizeTy[ty]); return t; } Type syntaxCopy() { fprintf(stderr, "this = %s, ty = %d\n", toChars(), ty); assert(0); } override bool equals(const RootObject o) const { Type t = cast(Type)o; //printf("Type::equals(%s, %s)\n", toChars(), t.toChars()); // deco strings are unique // and semantic() has been run if (this == o || ((t && deco == t.deco) && deco !is null)) { //printf("deco = '%s', t.deco = '%s'\n", deco, t.deco); return true; } //if (deco && t && t.deco) printf("deco = '%s', t.deco = '%s'\n", deco, t.deco); return false; } final bool equivalent(Type t) { return immutableOf().equals(t.immutableOf()); } // kludge for template.isType() override final DYNCAST dyncast() const { return DYNCAST.type; } /// Returns a non-zero unique ID for this Type, or returns 0 if the Type does not (yet) have a unique ID. /// If `semantic()` has not been run, 0 is returned. final size_t getUniqueID() const { return cast(size_t) deco; } extern (D) final Mcache* getMcache() { if (!mcache) mcache = cast(Mcache*) mem.xcalloc(Mcache.sizeof, 1); return mcache; } /******************************* * Covariant means that 'this' can substitute for 't', * i.e. a pure function is a match for an impure type. * Params: * t = type 'this' is covariant with * pstc = if not null, store STCxxxx which would make it covariant * cppCovariant = true if extern(C++) function types should follow C++ covariant rules * Returns: * An enum value of either `Covariant.yes` or a reason it's not covariant. */ final Covariant covariant(Type t, StorageClass* pstc = null, bool cppCovariant = false) { version (none) { printf("Type::covariant(t = %s) %s\n", t.toChars(), toChars()); printf("deco = %p, %p\n", deco, t.deco); // printf("ty = %d\n", next.ty); printf("mod = %x, %x\n", mod, t.mod); } if (pstc) *pstc = 0; StorageClass stc = 0; bool notcovariant = false; if (equals(t)) return Covariant.yes; TypeFunction t1 = this.isTypeFunction(); TypeFunction t2 = t.isTypeFunction(); if (!t1 || !t2) goto Ldistinct; if (t1.parameterList.varargs != t2.parameterList.varargs) goto Ldistinct; if (t1.parameterList.parameters && t2.parameterList.parameters) { if (t1.parameterList.length != t2.parameterList.length) goto Ldistinct; foreach (i, fparam1; t1.parameterList) { Parameter fparam2 = t2.parameterList[i]; Type tp1 = fparam1.type; Type tp2 = fparam2.type; if (!tp1.equals(tp2)) { if (tp1.ty == tp2.ty) { if (auto tc1 = tp1.isTypeClass()) { if (tc1.sym == (cast(TypeClass)tp2).sym && MODimplicitConv(tp2.mod, tp1.mod)) goto Lcov; } else if (auto ts1 = tp1.isTypeStruct()) { if (ts1.sym == (cast(TypeStruct)tp2).sym && MODimplicitConv(tp2.mod, tp1.mod)) goto Lcov; } else if (tp1.ty == Tpointer) { if (tp2.implicitConvTo(tp1)) goto Lcov; } else if (tp1.ty == Tarray) { if (tp2.implicitConvTo(tp1)) goto Lcov; } else if (tp1.ty == Tdelegate) { if (tp2.implicitConvTo(tp1)) goto Lcov; } } goto Ldistinct; } Lcov: notcovariant |= !fparam1.isCovariant(t1.isref, fparam2); /* https://issues.dlang.org/show_bug.cgi?id=23135 * extern(C++) mutable parameters are not covariant with const. */ if (t1.linkage == LINK.cpp && cppCovariant) { notcovariant |= tp1.isNaked() != tp2.isNaked(); if (auto tpn1 = tp1.nextOf()) notcovariant |= tpn1.isNaked() != tp2.nextOf().isNaked(); } } } else if (t1.parameterList.parameters != t2.parameterList.parameters) { if (t1.parameterList.length || t2.parameterList.length) goto Ldistinct; } // The argument lists match if (notcovariant) goto Lnotcovariant; if (t1.linkage != t2.linkage) goto Lnotcovariant; { // Return types Type t1n = t1.next; Type t2n = t2.next; if (!t1n || !t2n) // happens with return type inference goto Lnotcovariant; if (t1n.equals(t2n)) goto Lcovariant; if (t1n.ty == Tclass && t2n.ty == Tclass) { /* If same class type, but t2n is const, then it's * covariant. Do this test first because it can work on * forward references. */ if ((cast(TypeClass)t1n).sym == (cast(TypeClass)t2n).sym && MODimplicitConv(t1n.mod, t2n.mod)) goto Lcovariant; // If t1n is forward referenced: ClassDeclaration cd = (cast(TypeClass)t1n).sym; if (cd.semanticRun < PASS.semanticdone && !cd.isBaseInfoComplete()) cd.dsymbolSemantic(null); if (!cd.isBaseInfoComplete()) { return Covariant.fwdref; } } if (t1n.ty == Tstruct && t2n.ty == Tstruct) { if ((cast(TypeStruct)t1n).sym == (cast(TypeStruct)t2n).sym && MODimplicitConv(t1n.mod, t2n.mod)) goto Lcovariant; } else if (t1n.ty == t2n.ty && t1n.implicitConvTo(t2n)) { if (t1.isref && t2.isref) { // Treat like pointers to t1n and t2n if (t1n.constConv(t2n) < MATCH.constant) goto Lnotcovariant; } goto Lcovariant; } else if (t1n.ty == Tnull) { // NULL is covariant with any pointer type, but not with any // dynamic arrays, associative arrays or delegates. // https://issues.dlang.org/show_bug.cgi?id=8589 // https://issues.dlang.org/show_bug.cgi?id=19618 Type t2bn = t2n.toBasetype(); if (t2bn.ty == Tnull || t2bn.ty == Tpointer || t2bn.ty == Tclass) goto Lcovariant; } // bottom type is covariant to any type else if (t1n.ty == Tnoreturn) goto Lcovariant; } goto Lnotcovariant; Lcovariant: if (t1.isref != t2.isref) goto Lnotcovariant; if (!t1.isref && (t1.isScopeQual || t2.isScopeQual)) { StorageClass stc1 = t1.isScopeQual ? STC.scope_ : 0; StorageClass stc2 = t2.isScopeQual ? STC.scope_ : 0; if (t1.isreturn) { stc1 |= STC.return_; if (!t1.isScopeQual) stc1 |= STC.ref_; } if (t2.isreturn) { stc2 |= STC.return_; if (!t2.isScopeQual) stc2 |= STC.ref_; } if (!Parameter.isCovariantScope(t1.isref, stc1, stc2)) goto Lnotcovariant; } // We can subtract 'return ref' from 'this', but cannot add it else if (t1.isreturn && !t2.isreturn) goto Lnotcovariant; /* https://issues.dlang.org/show_bug.cgi?id=23135 * extern(C++) mutable member functions are not covariant with const. */ if (t1.linkage == LINK.cpp && cppCovariant && t1.isNaked() != t2.isNaked()) goto Lnotcovariant; /* Can convert mutable to const */ if (!MODimplicitConv(t2.mod, t1.mod)) { version (none) { //stop attribute inference with const // If adding 'const' will make it covariant if (MODimplicitConv(t2.mod, MODmerge(t1.mod, MODFlags.const_))) stc |= STC.const_; else goto Lnotcovariant; } else { goto Ldistinct; } } /* Can convert pure to impure, nothrow to throw, and nogc to gc */ if (!t1.purity && t2.purity) stc |= STC.pure_; if (!t1.isnothrow && t2.isnothrow) stc |= STC.nothrow_; if (!t1.isnogc && t2.isnogc) stc |= STC.nogc; /* Can convert safe/trusted to system */ if (t1.trust <= TRUST.system && t2.trust >= TRUST.trusted) { // Should we infer trusted or safe? Go with safe. stc |= STC.safe; } if (stc) { if (pstc) *pstc = stc; goto Lnotcovariant; } //printf("\tcovaraint: 1\n"); return Covariant.yes; Ldistinct: //printf("\tcovaraint: 0\n"); return Covariant.distinct; Lnotcovariant: //printf("\tcovaraint: 2\n"); return Covariant.no; } /******************************** * For pretty-printing a type. */ final override const(char)* toChars() const { OutBuffer buf; buf.reserve(16); HdrGenState hgs; hgs.fullQual = (ty == Tclass && !mod); .toCBuffer(this, &buf, null, &hgs); return buf.extractChars(); } /// ditto final char* toPrettyChars(bool QualifyTypes = false) { OutBuffer buf; buf.reserve(16); HdrGenState hgs; hgs.fullQual = QualifyTypes; .toCBuffer(this, &buf, null, &hgs); return buf.extractChars(); } static void _init() { stringtable._init(14_000); // Set basic types __gshared TY* basetab = [ Tvoid, Tint8, Tuns8, Tint16, Tuns16, Tint32, Tuns32, Tint64, Tuns64, Tint128, Tuns128, Tfloat32, Tfloat64, Tfloat80, Timaginary32, Timaginary64, Timaginary80, Tcomplex32, Tcomplex64, Tcomplex80, Tbool, Tchar, Twchar, Tdchar, Terror ]; for (size_t i = 0; basetab[i] != Terror; i++) { Type t = new TypeBasic(basetab[i]); t = t.merge(); basic[basetab[i]] = t; } basic[Terror] = new TypeError(); tnoreturn = new TypeNoreturn(); tnoreturn.deco = tnoreturn.merge().deco; basic[Tnoreturn] = tnoreturn; tvoid = basic[Tvoid]; tint8 = basic[Tint8]; tuns8 = basic[Tuns8]; tint16 = basic[Tint16]; tuns16 = basic[Tuns16]; tint32 = basic[Tint32]; tuns32 = basic[Tuns32]; tint64 = basic[Tint64]; tuns64 = basic[Tuns64]; tint128 = basic[Tint128]; tuns128 = basic[Tuns128]; tfloat32 = basic[Tfloat32]; tfloat64 = basic[Tfloat64]; tfloat80 = basic[Tfloat80]; timaginary32 = basic[Timaginary32]; timaginary64 = basic[Timaginary64]; timaginary80 = basic[Timaginary80]; tcomplex32 = basic[Tcomplex32]; tcomplex64 = basic[Tcomplex64]; tcomplex80 = basic[Tcomplex80]; tbool = basic[Tbool]; tchar = basic[Tchar]; twchar = basic[Twchar]; tdchar = basic[Tdchar]; tshiftcnt = tint32; terror = basic[Terror]; tnoreturn = basic[Tnoreturn]; tnull = new TypeNull(); tnull.deco = tnull.merge().deco; tvoidptr = tvoid.pointerTo(); tstring = tchar.immutableOf().arrayOf(); twstring = twchar.immutableOf().arrayOf(); tdstring = tdchar.immutableOf().arrayOf(); const isLP64 = target.isLP64; tsize_t = basic[isLP64 ? Tuns64 : Tuns32]; tptrdiff_t = basic[isLP64 ? Tint64 : Tint32]; thash_t = tsize_t; } /** * Deinitializes the global state of the compiler. * * This can be used to restore the state set by `_init` to its original * state. */ static void deinitialize() { stringtable = stringtable.init; } final uinteger_t size() { return size(Loc.initial); } uinteger_t size(const ref Loc loc) { error(loc, "no size for type `%s`", toChars()); return SIZE_INVALID; } uint alignsize() { return cast(uint)size(Loc.initial); } final Type trySemantic(const ref Loc loc, Scope* sc) { //printf("+trySemantic(%s) %d\n", toChars(), global.errors); // Needed to display any deprecations that were gagged auto tcopy = this.syntaxCopy(); const errors = global.startGagging(); Type t = typeSemantic(this, loc, sc); if (global.endGagging(errors) || t.ty == Terror) // if any errors happened { t = null; } else { // If `typeSemantic` succeeded, there may have been deprecations that // were gagged due the `startGagging` above. Run again to display // those deprecations. https://issues.dlang.org/show_bug.cgi?id=19107 if (global.gaggedWarnings > 0) typeSemantic(tcopy, loc, sc); } //printf("-trySemantic(%s) %d\n", toChars(), global.errors); return t; } /************************************* * This version does a merge even if the deco is already computed. * Necessary for types that have a deco, but are not merged. */ final Type merge2() { //printf("merge2(%s)\n", toChars()); Type t = this; assert(t); if (!t.deco) return t.merge(); auto sv = stringtable.lookup(t.deco, strlen(t.deco)); if (sv && sv.value) { t = sv.value; assert(t.deco); } else assert(0); return t; } /********************************* * Store this type's modifier name into buf. */ final void modToBuffer(OutBuffer* buf) nothrow const { if (mod) { buf.writeByte(' '); MODtoBuffer(buf, mod); } } /********************************* * Return this type's modifier name. */ final char* modToChars() nothrow const { OutBuffer buf; buf.reserve(16); modToBuffer(&buf); return buf.extractChars(); } bool isintegral() { return false; } // real, imaginary, or complex bool isfloating() { return false; } bool isreal() { return false; } bool isimaginary() { return false; } bool iscomplex() { return false; } bool isscalar() { return false; } bool isunsigned() { return false; } bool isscope() { return false; } bool isString() { return false; } /************************** * When T is mutable, * Given: * T a, b; * Can we bitwise assign: * a = b; * ? */ bool isAssignable() { return true; } /************************** * Returns true if T can be converted to boolean value. */ bool isBoolean() { return isscalar(); } /********************************* * Check type to see if it is based on a deprecated symbol. */ void checkDeprecated(const ref Loc loc, Scope* sc) { if (Dsymbol s = toDsymbol(sc)) { s.checkDeprecated(loc, sc); } } final bool isConst() const nothrow pure @nogc @safe { return (mod & MODFlags.const_) != 0; } final bool isImmutable() const nothrow pure @nogc @safe { return (mod & MODFlags.immutable_) != 0; } final bool isMutable() const nothrow pure @nogc @safe { return (mod & (MODFlags.const_ | MODFlags.immutable_ | MODFlags.wild)) == 0; } final bool isShared() const nothrow pure @nogc @safe { return (mod & MODFlags.shared_) != 0; } final bool isSharedConst() const nothrow pure @nogc @safe { return (mod & (MODFlags.shared_ | MODFlags.const_)) == (MODFlags.shared_ | MODFlags.const_); } final bool isWild() const nothrow pure @nogc @safe { return (mod & MODFlags.wild) != 0; } final bool isWildConst() const nothrow pure @nogc @safe { return (mod & MODFlags.wildconst) == MODFlags.wildconst; } final bool isSharedWild() const nothrow pure @nogc @safe { return (mod & (MODFlags.shared_ | MODFlags.wild)) == (MODFlags.shared_ | MODFlags.wild); } final bool isNaked() const nothrow pure @nogc @safe { return mod == 0; } /******************************** * Return a copy of this type with all attributes null-initialized. * Useful for creating a type with different modifiers. */ final Type nullAttributes() nothrow const { uint sz = sizeTy[ty]; Type t = cast(Type)mem.xmalloc(sz); memcpy(cast(void*)t, cast(void*)this, sz); // t.mod = NULL; // leave mod unchanged t.deco = null; t.arrayof = null; t.pto = null; t.rto = null; t.vtinfo = null; t.ctype = null; t.mcache = null; if (t.ty == Tstruct) (cast(TypeStruct)t).att = AliasThisRec.fwdref; if (t.ty == Tclass) (cast(TypeClass)t).att = AliasThisRec.fwdref; return t; } /******************************** * Convert to 'const'. */ final Type constOf() { //printf("Type::constOf() %p %s\n", this, toChars()); if (mod == MODFlags.const_) return this; if (mcache && mcache.cto) { assert(mcache.cto.mod == MODFlags.const_); return mcache.cto; } Type t = makeConst(); t = t.merge(); t.fixTo(this); //printf("-Type::constOf() %p %s\n", t, t.toChars()); return t; } /******************************** * Convert to 'immutable'. */ final Type immutableOf() { //printf("Type::immutableOf() %p %s\n", this, toChars()); if (isImmutable()) return this; if (mcache && mcache.ito) { assert(mcache.ito.isImmutable()); return mcache.ito; } Type t = makeImmutable(); t = t.merge(); t.fixTo(this); //printf("\t%p\n", t); return t; } /******************************** * Make type mutable. */ final Type mutableOf() { //printf("Type::mutableOf() %p, %s\n", this, toChars()); Type t = this; if (isImmutable()) { getMcache(); t = mcache.ito; // immutable => naked assert(!t || (t.isMutable() && !t.isShared())); } else if (isConst()) { getMcache(); if (isShared()) { if (isWild()) t = mcache.swcto; // shared wild const -> shared else t = mcache.sto; // shared const => shared } else { if (isWild()) t = mcache.wcto; // wild const -> naked else t = mcache.cto; // const => naked } assert(!t || t.isMutable()); } else if (isWild()) { getMcache(); if (isShared()) t = mcache.sto; // shared wild => shared else t = mcache.wto; // wild => naked assert(!t || t.isMutable()); } if (!t) { t = makeMutable(); t = t.merge(); t.fixTo(this); } else t = t.merge(); assert(t.isMutable()); return t; } final Type sharedOf() { //printf("Type::sharedOf() %p, %s\n", this, toChars()); if (mod == MODFlags.shared_) return this; if (mcache && mcache.sto) { assert(mcache.sto.mod == MODFlags.shared_); return mcache.sto; } Type t = makeShared(); t = t.merge(); t.fixTo(this); //printf("\t%p\n", t); return t; } final Type sharedConstOf() { //printf("Type::sharedConstOf() %p, %s\n", this, toChars()); if (mod == (MODFlags.shared_ | MODFlags.const_)) return this; if (mcache && mcache.scto) { assert(mcache.scto.mod == (MODFlags.shared_ | MODFlags.const_)); return mcache.scto; } Type t = makeSharedConst(); t = t.merge(); t.fixTo(this); //printf("\t%p\n", t); return t; } /******************************** * Make type unshared. * 0 => 0 * const => const * immutable => immutable * shared => 0 * shared const => const * wild => wild * wild const => wild const * shared wild => wild * shared wild const => wild const */ final Type unSharedOf() { //printf("Type::unSharedOf() %p, %s\n", this, toChars()); Type t = this; if (isShared()) { getMcache(); if (isWild()) { if (isConst()) t = mcache.wcto; // shared wild const => wild const else t = mcache.wto; // shared wild => wild } else { if (isConst()) t = mcache.cto; // shared const => const else t = mcache.sto; // shared => naked } assert(!t || !t.isShared()); } if (!t) { t = this.nullAttributes(); t.mod = mod & ~MODFlags.shared_; t.ctype = ctype; t = t.merge(); t.fixTo(this); } else t = t.merge(); assert(!t.isShared()); return t; } /******************************** * Convert to 'wild'. */ final Type wildOf() { //printf("Type::wildOf() %p %s\n", this, toChars()); if (mod == MODFlags.wild) return this; if (mcache && mcache.wto) { assert(mcache.wto.mod == MODFlags.wild); return mcache.wto; } Type t = makeWild(); t = t.merge(); t.fixTo(this); //printf("\t%p %s\n", t, t.toChars()); return t; } final Type wildConstOf() { //printf("Type::wildConstOf() %p %s\n", this, toChars()); if (mod == MODFlags.wildconst) return this; if (mcache && mcache.wcto) { assert(mcache.wcto.mod == MODFlags.wildconst); return mcache.wcto; } Type t = makeWildConst(); t = t.merge(); t.fixTo(this); //printf("\t%p %s\n", t, t.toChars()); return t; } final Type sharedWildOf() { //printf("Type::sharedWildOf() %p, %s\n", this, toChars()); if (mod == (MODFlags.shared_ | MODFlags.wild)) return this; if (mcache && mcache.swto) { assert(mcache.swto.mod == (MODFlags.shared_ | MODFlags.wild)); return mcache.swto; } Type t = makeSharedWild(); t = t.merge(); t.fixTo(this); //printf("\t%p %s\n", t, t.toChars()); return t; } final Type sharedWildConstOf() { //printf("Type::sharedWildConstOf() %p, %s\n", this, toChars()); if (mod == (MODFlags.shared_ | MODFlags.wildconst)) return this; if (mcache && mcache.swcto) { assert(mcache.swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); return mcache.swcto; } Type t = makeSharedWildConst(); t = t.merge(); t.fixTo(this); //printf("\t%p %s\n", t, t.toChars()); return t; } /********************************** * For our new type 'this', which is type-constructed from t, * fill in the cto, ito, sto, scto, wto shortcuts. */ final void fixTo(Type t) { // If fixing this: immutable(T*) by t: immutable(T)*, // cache t to this.xto won't break transitivity. Type mto = null; Type tn = nextOf(); if (!tn || ty != Tsarray && tn.mod == t.nextOf().mod) { switch (t.mod) { case 0: mto = t; break; case MODFlags.const_: getMcache(); mcache.cto = t; break; case MODFlags.wild: getMcache(); mcache.wto = t; break; case MODFlags.wildconst: getMcache(); mcache.wcto = t; break; case MODFlags.shared_: getMcache(); mcache.sto = t; break; case MODFlags.shared_ | MODFlags.const_: getMcache(); mcache.scto = t; break; case MODFlags.shared_ | MODFlags.wild: getMcache(); mcache.swto = t; break; case MODFlags.shared_ | MODFlags.wildconst: getMcache(); mcache.swcto = t; break; case MODFlags.immutable_: getMcache(); mcache.ito = t; break; default: break; } } assert(mod != t.mod); if (mod) { getMcache(); t.getMcache(); } switch (mod) { case 0: break; case MODFlags.const_: mcache.cto = mto; t.mcache.cto = this; break; case MODFlags.wild: mcache.wto = mto; t.mcache.wto = this; break; case MODFlags.wildconst: mcache.wcto = mto; t.mcache.wcto = this; break; case MODFlags.shared_: mcache.sto = mto; t.mcache.sto = this; break; case MODFlags.shared_ | MODFlags.const_: mcache.scto = mto; t.mcache.scto = this; break; case MODFlags.shared_ | MODFlags.wild: mcache.swto = mto; t.mcache.swto = this; break; case MODFlags.shared_ | MODFlags.wildconst: mcache.swcto = mto; t.mcache.swcto = this; break; case MODFlags.immutable_: t.mcache.ito = this; if (t.mcache.cto) t.mcache.cto.getMcache().ito = this; if (t.mcache.sto) t.mcache.sto.getMcache().ito = this; if (t.mcache.scto) t.mcache.scto.getMcache().ito = this; if (t.mcache.wto) t.mcache.wto.getMcache().ito = this; if (t.mcache.wcto) t.mcache.wcto.getMcache().ito = this; if (t.mcache.swto) t.mcache.swto.getMcache().ito = this; if (t.mcache.swcto) t.mcache.swcto.getMcache().ito = this; break; default: assert(0); } check(); t.check(); //printf("fixTo: %s, %s\n", toChars(), t.toChars()); } /*************************** * Look for bugs in constructing types. */ final void check() { if (mcache) with (mcache) switch (mod) { case 0: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.const_: if (cto) assert(cto.mod == 0); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.wild: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == 0); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.wildconst: assert(!cto || cto.mod == MODFlags.const_); assert(!ito || ito.mod == MODFlags.immutable_); assert(!sto || sto.mod == MODFlags.shared_); assert(!scto || scto.mod == (MODFlags.shared_ | MODFlags.const_)); assert(!wto || wto.mod == MODFlags.wild); assert(!wcto || wcto.mod == 0); assert(!swto || swto.mod == (MODFlags.shared_ | MODFlags.wild)); assert(!swcto || swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.shared_: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == 0); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.shared_ | MODFlags.const_: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == 0); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.shared_ | MODFlags.wild: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == MODFlags.immutable_); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == 0); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; case MODFlags.shared_ | MODFlags.wildconst: assert(!cto || cto.mod == MODFlags.const_); assert(!ito || ito.mod == MODFlags.immutable_); assert(!sto || sto.mod == MODFlags.shared_); assert(!scto || scto.mod == (MODFlags.shared_ | MODFlags.const_)); assert(!wto || wto.mod == MODFlags.wild); assert(!wcto || wcto.mod == MODFlags.wildconst); assert(!swto || swto.mod == (MODFlags.shared_ | MODFlags.wild)); assert(!swcto || swcto.mod == 0); break; case MODFlags.immutable_: if (cto) assert(cto.mod == MODFlags.const_); if (ito) assert(ito.mod == 0); if (sto) assert(sto.mod == MODFlags.shared_); if (scto) assert(scto.mod == (MODFlags.shared_ | MODFlags.const_)); if (wto) assert(wto.mod == MODFlags.wild); if (wcto) assert(wcto.mod == MODFlags.wildconst); if (swto) assert(swto.mod == (MODFlags.shared_ | MODFlags.wild)); if (swcto) assert(swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); break; default: assert(0); } Type tn = nextOf(); if (tn && ty != Tfunction && tn.ty != Tfunction && ty != Tenum) { // Verify transitivity switch (mod) { case 0: case MODFlags.const_: case MODFlags.wild: case MODFlags.wildconst: case MODFlags.shared_: case MODFlags.shared_ | MODFlags.const_: case MODFlags.shared_ | MODFlags.wild: case MODFlags.shared_ | MODFlags.wildconst: case MODFlags.immutable_: assert(tn.mod == MODFlags.immutable_ || (tn.mod & mod) == mod); break; default: assert(0); } tn.check(); } } /************************************* * Apply STCxxxx bits to existing type. * Use *before* semantic analysis is run. */ final Type addSTC(StorageClass stc) { Type t = this; if (t.isImmutable()) { } else if (stc & STC.immutable_) { t = t.makeImmutable(); } else { if ((stc & STC.shared_) && !t.isShared()) { if (t.isWild()) { if (t.isConst()) t = t.makeSharedWildConst(); else t = t.makeSharedWild(); } else { if (t.isConst()) t = t.makeSharedConst(); else t = t.makeShared(); } } if ((stc & STC.const_) && !t.isConst()) { if (t.isShared()) { if (t.isWild()) t = t.makeSharedWildConst(); else t = t.makeSharedConst(); } else { if (t.isWild()) t = t.makeWildConst(); else t = t.makeConst(); } } if ((stc & STC.wild) && !t.isWild()) { if (t.isShared()) { if (t.isConst()) t = t.makeSharedWildConst(); else t = t.makeSharedWild(); } else { if (t.isConst()) t = t.makeWildConst(); else t = t.makeWild(); } } } return t; } /************************************ * Apply MODxxxx bits to existing type. */ final Type castMod(MOD mod) { Type t; switch (mod) { case 0: t = unSharedOf().mutableOf(); break; case MODFlags.const_: t = unSharedOf().constOf(); break; case MODFlags.wild: t = unSharedOf().wildOf(); break; case MODFlags.wildconst: t = unSharedOf().wildConstOf(); break; case MODFlags.shared_: t = mutableOf().sharedOf(); break; case MODFlags.shared_ | MODFlags.const_: t = sharedConstOf(); break; case MODFlags.shared_ | MODFlags.wild: t = sharedWildOf(); break; case MODFlags.shared_ | MODFlags.wildconst: t = sharedWildConstOf(); break; case MODFlags.immutable_: t = immutableOf(); break; default: assert(0); } return t; } /************************************ * Add MODxxxx bits to existing type. * We're adding, not replacing, so adding const to * a shared type => "shared const" */ final Type addMod(MOD mod) { /* Add anything to immutable, and it remains immutable */ Type t = this; if (!t.isImmutable()) { //printf("addMod(%x) %s\n", mod, toChars()); switch (mod) { case 0: break; case MODFlags.const_: if (isShared()) { if (isWild()) t = sharedWildConstOf(); else t = sharedConstOf(); } else { if (isWild()) t = wildConstOf(); else t = constOf(); } break; case MODFlags.wild: if (isShared()) { if (isConst()) t = sharedWildConstOf(); else t = sharedWildOf(); } else { if (isConst()) t = wildConstOf(); else t = wildOf(); } break; case MODFlags.wildconst: if (isShared()) t = sharedWildConstOf(); else t = wildConstOf(); break; case MODFlags.shared_: if (isWild()) { if (isConst()) t = sharedWildConstOf(); else t = sharedWildOf(); } else { if (isConst()) t = sharedConstOf(); else t = sharedOf(); } break; case MODFlags.shared_ | MODFlags.const_: if (isWild()) t = sharedWildConstOf(); else t = sharedConstOf(); break; case MODFlags.shared_ | MODFlags.wild: if (isConst()) t = sharedWildConstOf(); else t = sharedWildOf(); break; case MODFlags.shared_ | MODFlags.wildconst: t = sharedWildConstOf(); break; case MODFlags.immutable_: t = immutableOf(); break; default: assert(0); } } return t; } /************************************ * Add storage class modifiers to type. */ Type addStorageClass(StorageClass stc) { /* Just translate to MOD bits and let addMod() do the work */ MOD mod = 0; if (stc & STC.immutable_) mod = MODFlags.immutable_; else { if (stc & (STC.const_ | STC.in_)) mod |= MODFlags.const_; if (stc & STC.wild) mod |= MODFlags.wild; if (stc & STC.shared_) mod |= MODFlags.shared_; } return addMod(mod); } final Type pointerTo() { if (ty == Terror) return this; if (!pto) { Type t = new TypePointer(this); if (ty == Tfunction) { t.deco = t.merge().deco; pto = t; } else pto = t.merge(); } return pto; } final Type referenceTo() { if (ty == Terror) return this; if (!rto) { Type t = new TypeReference(this); rto = t.merge(); } return rto; } final Type arrayOf() { if (ty == Terror) return this; if (!arrayof) { Type t = new TypeDArray(this); arrayof = t.merge(); } return arrayof; } // Make corresponding static array type without semantic final Type sarrayOf(dinteger_t dim) { assert(deco); Type t = new TypeSArray(this, new IntegerExp(Loc.initial, dim, Type.tsize_t)); // according to TypeSArray::semantic() t = t.addMod(mod); t = t.merge(); return t; } final bool hasDeprecatedAliasThis() { auto ad = isAggregate(this); return ad && ad.aliasthis && (ad.aliasthis.isDeprecated || ad.aliasthis.sym.isDeprecated); } final Type aliasthisOf() { auto ad = isAggregate(this); if (!ad || !ad.aliasthis) return null; auto s = ad.aliasthis.sym; if (s.isAliasDeclaration()) s = s.toAlias(); if (s.isTupleDeclaration()) return null; if (auto vd = s.isVarDeclaration()) { auto t = vd.type; if (vd.needThis()) t = t.addMod(this.mod); return t; } Dsymbol callable = s.isFuncDeclaration(); callable = callable ? callable : s.isTemplateDeclaration(); if (callable) { auto fd = resolveFuncCall(Loc.initial, null, callable, null, this, ArgumentList(), FuncResolveFlag.quiet); if (!fd || fd.errors || !fd.functionSemantic()) return Type.terror; auto t = fd.type.nextOf(); if (!t) // issue 14185 return Type.terror; t = t.substWildTo(mod == 0 ? MODFlags.mutable : mod); return t; } if (auto d = s.isDeclaration()) { assert(d.type); return d.type; } if (auto ed = s.isEnumDeclaration()) { return ed.type; } //printf("%s\n", s.kind()); return null; } /** * Check whether this type has endless `alias this` recursion. * Returns: * `true` if this type has an `alias this` that can be implicitly * converted back to this type itself. */ extern (D) final bool checkAliasThisRec() { Type tb = toBasetype(); AliasThisRec* pflag; if (tb.ty == Tstruct) pflag = &(cast(TypeStruct)tb).att; else if (tb.ty == Tclass) pflag = &(cast(TypeClass)tb).att; else return false; AliasThisRec flag = cast(AliasThisRec)(*pflag & AliasThisRec.typeMask); if (flag == AliasThisRec.fwdref) { Type att = aliasthisOf(); flag = att && att.implicitConvTo(this) ? AliasThisRec.yes : AliasThisRec.no; } *pflag = cast(AliasThisRec)(flag | (*pflag & ~AliasThisRec.typeMask)); return flag == AliasThisRec.yes; } Type makeConst() { //printf("Type::makeConst() %p, %s\n", this, toChars()); if (mcache && mcache.cto) return mcache.cto; Type t = this.nullAttributes(); t.mod = MODFlags.const_; //printf("-Type::makeConst() %p, %s\n", t, toChars()); return t; } Type makeImmutable() { if (mcache && mcache.ito) return mcache.ito; Type t = this.nullAttributes(); t.mod = MODFlags.immutable_; return t; } Type makeShared() { if (mcache && mcache.sto) return mcache.sto; Type t = this.nullAttributes(); t.mod = MODFlags.shared_; return t; } Type makeSharedConst() { if (mcache && mcache.scto) return mcache.scto; Type t = this.nullAttributes(); t.mod = MODFlags.shared_ | MODFlags.const_; return t; } Type makeWild() { if (mcache && mcache.wto) return mcache.wto; Type t = this.nullAttributes(); t.mod = MODFlags.wild; return t; } Type makeWildConst() { if (mcache && mcache.wcto) return mcache.wcto; Type t = this.nullAttributes(); t.mod = MODFlags.wildconst; return t; } Type makeSharedWild() { if (mcache && mcache.swto) return mcache.swto; Type t = this.nullAttributes(); t.mod = MODFlags.shared_ | MODFlags.wild; return t; } Type makeSharedWildConst() { if (mcache && mcache.swcto) return mcache.swcto; Type t = this.nullAttributes(); t.mod = MODFlags.shared_ | MODFlags.wildconst; return t; } Type makeMutable() { Type t = this.nullAttributes(); t.mod = mod & MODFlags.shared_; return t; } Dsymbol toDsymbol(Scope* sc) { return null; } /******************************* * If this is a shell around another type, * get that other type. */ final Type toBasetype() { /* This function is used heavily. * De-virtualize it so it can be easily inlined. */ TypeEnum te; return ((te = isTypeEnum()) !is null) ? te.toBasetype2() : this; } bool isBaseOf(Type t, int* poffset) { return 0; // assume not } /******************************** * Determine if 'this' can be implicitly converted * to type 'to'. * Returns: * MATCH.nomatch, MATCH.convert, MATCH.constant, MATCH.exact */ MATCH implicitConvTo(Type to) { //printf("Type::implicitConvTo(this=%p, to=%p)\n", this, to); //printf("from: %s\n", toChars()); //printf("to : %s\n", to.toChars()); if (this.equals(to)) return MATCH.exact; return MATCH.nomatch; } /******************************* * Determine if converting 'this' to 'to' is an identity operation, * a conversion to const operation, or the types aren't the same. * Returns: * MATCH.exact 'this' == 'to' * MATCH.constant 'to' is const * MATCH.nomatch conversion to mutable or invariant */ MATCH constConv(Type to) { //printf("Type::constConv(this = %s, to = %s)\n", toChars(), to.toChars()); if (equals(to)) return MATCH.exact; if (ty == to.ty && MODimplicitConv(mod, to.mod)) return MATCH.constant; return MATCH.nomatch; } /*************************************** * Compute MOD bits matching `this` argument type to wild parameter type. * Params: * t = corresponding parameter type * isRef = parameter is `ref` or `out` * Returns: * MOD bits */ MOD deduceWild(Type t, bool isRef) { //printf("Type::deduceWild this = '%s', tprm = '%s'\n", toChars(), tprm.toChars()); if (t.isWild()) { if (isImmutable()) return MODFlags.immutable_; else if (isWildConst()) { if (t.isWildConst()) return MODFlags.wild; else return MODFlags.wildconst; } else if (isWild()) return MODFlags.wild; else if (isConst()) return MODFlags.const_; else if (isMutable()) return MODFlags.mutable; else assert(0); } return 0; } Type substWildTo(uint mod) { //printf("+Type::substWildTo this = %s, mod = x%x\n", toChars(), mod); Type t; if (Type tn = nextOf()) { // substitution has no effect on function pointer type. if (ty == Tpointer && tn.ty == Tfunction) { t = this; goto L1; } t = tn.substWildTo(mod); if (t == tn) t = this; else { if (ty == Tpointer) t = t.pointerTo(); else if (ty == Tarray) t = t.arrayOf(); else if (ty == Tsarray) t = new TypeSArray(t, (cast(TypeSArray)this).dim.syntaxCopy()); else if (ty == Taarray) { t = new TypeAArray(t, (cast(TypeAArray)this).index.syntaxCopy()); } else if (ty == Tdelegate) { t = new TypeDelegate(t.isTypeFunction()); } else assert(0); t = t.merge(); } } else t = this; L1: if (isWild()) { if (mod == MODFlags.immutable_) { t = t.immutableOf(); } else if (mod == MODFlags.wildconst) { t = t.wildConstOf(); } else if (mod == MODFlags.wild) { if (isWildConst()) t = t.wildConstOf(); else t = t.wildOf(); } else if (mod == MODFlags.const_) { t = t.constOf(); } else { if (isWildConst()) t = t.constOf(); else t = t.mutableOf(); } } if (isConst()) t = t.addMod(MODFlags.const_); if (isShared()) t = t.addMod(MODFlags.shared_); //printf("-Type::substWildTo t = %s\n", t.toChars()); return t; } final Type unqualify(uint m) { Type t = mutableOf().unSharedOf(); Type tn = ty == Tenum ? null : nextOf(); if (tn && tn.ty != Tfunction) { Type utn = tn.unqualify(m); if (utn != tn) { if (ty == Tpointer) t = utn.pointerTo(); else if (ty == Tarray) t = utn.arrayOf(); else if (ty == Tsarray) t = new TypeSArray(utn, (cast(TypeSArray)this).dim); else if (ty == Taarray) { t = new TypeAArray(utn, (cast(TypeAArray)this).index); } else assert(0); t = t.merge(); } } t = t.addMod(mod & ~m); return t; } /************************** * Return type with the top level of it being mutable. */ inout(Type) toHeadMutable() inout { if (!mod) return this; Type unqualThis = cast(Type) this; // `mutableOf` needs a mutable `this` only for caching return cast(inout(Type)) unqualThis.mutableOf(); } inout(ClassDeclaration) isClassHandle() inout { return null; } /************************************ * Return alignment to use for this type. */ structalign_t alignment() { structalign_t s; s.setDefault(); return s; } /*************************************** * Use when we prefer the default initializer to be a literal, * rather than a global immutable variable. */ Expression defaultInitLiteral(const ref Loc loc) { static if (LOGDEFAULTINIT) { printf("Type::defaultInitLiteral() '%s'\n", toChars()); } return defaultInit(this, loc); } // if initializer is 0 bool isZeroInit(const ref Loc loc) { return false; // assume not } final Identifier getTypeInfoIdent() { // _init_10TypeInfo_%s OutBuffer buf; buf.reserve(32); mangleToBuffer(this, &buf); const slice = buf[]; // Allocate buffer on stack, fail over to using malloc() char[128] namebuf; const namelen = 19 + size_t.sizeof * 3 + slice.length + 1; auto name = namelen <= namebuf.length ? namebuf.ptr : cast(char*)Mem.check(malloc(namelen)); const length = snprintf(name, namelen, "_D%lluTypeInfo_%.*s6__initZ", cast(ulong)(9 + slice.length), cast(int)slice.length, slice.ptr); //printf("%p %s, deco = %s, name = %s\n", this, toChars(), deco, name); assert(0 < length && length < namelen); // don't overflow the buffer auto id = Identifier.idPool(name, length); if (name != namebuf.ptr) free(name); return id; } /*************************************** * Return !=0 if the type or any of its subtypes is wild. */ int hasWild() const { return mod & MODFlags.wild; } /*************************************** * Return !=0 if type has pointers that need to * be scanned by the GC during a collection cycle. */ bool hasPointers() { //printf("Type::hasPointers() %s, %d\n", toChars(), ty); return false; } /************************************* * Detect if type has pointer fields that are initialized to void. * Local stack variables with such void fields can remain uninitialized, * leading to pointer bugs. * Returns: * true if so */ bool hasVoidInitPointers() { return false; } /************************************* * Detect if this is an unsafe type because of the presence of `@system` members * Returns: * true if so */ bool hasSystemFields() { return false; } /*************************************** * Returns: true if type has any invariants */ bool hasInvariant() { //printf("Type::hasInvariant() %s, %d\n", toChars(), ty); return false; } /************************************* * If this is a type of something, return that something. */ Type nextOf() { return null; } /************************************* * If this is a type of static array, return its base element type. */ final Type baseElemOf() { Type t = toBasetype(); TypeSArray tsa; while ((tsa = t.isTypeSArray()) !is null) t = tsa.next.toBasetype(); return t; } /******************************************* * Compute number of elements for a (possibly multidimensional) static array, * or 1 for other types. * Params: * loc = for error message * Returns: * number of elements, uint.max on overflow */ final uint numberOfElems(const ref Loc loc) { //printf("Type::numberOfElems()\n"); uinteger_t n = 1; Type tb = this; while ((tb = tb.toBasetype()).ty == Tsarray) { bool overflow = false; n = mulu(n, (cast(TypeSArray)tb).dim.toUInteger(), overflow); if (overflow || n >= uint.max) { error(loc, "static array `%s` size overflowed to %llu", toChars(), cast(ulong)n); return uint.max; } tb = (cast(TypeSArray)tb).next; } return cast(uint)n; } /**************************************** * Return the mask that an integral type will * fit into. */ final uinteger_t sizemask() { uinteger_t m; switch (toBasetype().ty) { case Tbool: m = 1; break; case Tchar: case Tint8: case Tuns8: m = 0xFF; break; case Twchar: case Tint16: case Tuns16: m = 0xFFFFU; break; case Tdchar: case Tint32: case Tuns32: m = 0xFFFFFFFFU; break; case Tint64: case Tuns64: m = 0xFFFFFFFFFFFFFFFFUL; break; default: assert(0); } return m; } /******************************** * true if when type goes out of scope, it needs a destructor applied. * Only applies to value types, not ref types. */ bool needsDestruction() { return false; } /******************************** * true if when type is copied, it needs a copy constructor or postblit * applied. Only applies to value types, not ref types. */ bool needsCopyOrPostblit() { return false; } /********************************* * */ bool needsNested() { return false; } /************************************* * https://issues.dlang.org/show_bug.cgi?id=14488 * Check if the inner most base type is complex or imaginary. * Should only give alerts when set to emit transitional messages. * Params: * loc = The source location. * sc = scope of the type */ extern (D) final bool checkComplexTransition(const ref Loc loc, Scope* sc) { if (sc.isDeprecated()) return false; // Don't complain if we're inside a template constraint // https://issues.dlang.org/show_bug.cgi?id=21831 if (sc.flags & SCOPE.constraint) return false; Type t = baseElemOf(); while (t.ty == Tpointer || t.ty == Tarray) t = t.nextOf().baseElemOf(); // Basetype is an opaque enum, nothing to check. if (t.ty == Tenum && !(cast(TypeEnum)t).sym.memtype) return false; if (t.isimaginary() || t.iscomplex()) { if (sc.flags & SCOPE.Cfile) return true; // complex/imaginary not deprecated in C code Type rt; switch (t.ty) { case Tcomplex32: case Timaginary32: rt = Type.tfloat32; break; case Tcomplex64: case Timaginary64: rt = Type.tfloat64; break; case Tcomplex80: case Timaginary80: rt = Type.tfloat80; break; default: assert(0); } // @@@DEPRECATED_2.117@@@ // Deprecated in 2.097 - Can be made an error from 2.117. // The deprecation period is longer than usual as `cfloat`, // `cdouble`, and `creal` were quite widely used. if (t.iscomplex()) { deprecation(loc, "use of complex type `%s` is deprecated, use `std.complex.Complex!(%s)` instead", toChars(), rt.toChars()); return true; } else { deprecation(loc, "use of imaginary type `%s` is deprecated, use `%s` instead", toChars(), rt.toChars()); return true; } } return false; } // For eliminating dynamic_cast TypeBasic isTypeBasic() { return null; } final pure inout nothrow @nogc { /**************** * Is this type a pointer to a function? * Returns: * the function type if it is */ inout(TypeFunction) isPtrToFunction() { return (ty == Tpointer && (cast(TypePointer)this).next.ty == Tfunction) ? cast(typeof(return))(cast(TypePointer)this).next : null; } /***************** * Is this type a function, delegate, or pointer to a function? * Returns: * the function type if it is */ inout(TypeFunction) isFunction_Delegate_PtrToFunction() { return ty == Tfunction ? cast(typeof(return))this : ty == Tdelegate ? cast(typeof(return))(cast(TypePointer)this).next : ty == Tpointer && (cast(TypePointer)this).next.ty == Tfunction ? cast(typeof(return))(cast(TypePointer)this).next : null; } } final pure inout nothrow @nogc @safe { inout(TypeError) isTypeError() { return ty == Terror ? cast(typeof(return))this : null; } inout(TypeVector) isTypeVector() { return ty == Tvector ? cast(typeof(return))this : null; } inout(TypeSArray) isTypeSArray() { return ty == Tsarray ? cast(typeof(return))this : null; } inout(TypeDArray) isTypeDArray() { return ty == Tarray ? cast(typeof(return))this : null; } inout(TypeAArray) isTypeAArray() { return ty == Taarray ? cast(typeof(return))this : null; } inout(TypePointer) isTypePointer() { return ty == Tpointer ? cast(typeof(return))this : null; } inout(TypeReference) isTypeReference() { return ty == Treference ? cast(typeof(return))this : null; } inout(TypeFunction) isTypeFunction() { return ty == Tfunction ? cast(typeof(return))this : null; } inout(TypeDelegate) isTypeDelegate() { return ty == Tdelegate ? cast(typeof(return))this : null; } inout(TypeIdentifier) isTypeIdentifier() { return ty == Tident ? cast(typeof(return))this : null; } inout(TypeInstance) isTypeInstance() { return ty == Tinstance ? cast(typeof(return))this : null; } inout(TypeTypeof) isTypeTypeof() { return ty == Ttypeof ? cast(typeof(return))this : null; } inout(TypeReturn) isTypeReturn() { return ty == Treturn ? cast(typeof(return))this : null; } inout(TypeStruct) isTypeStruct() { return ty == Tstruct ? cast(typeof(return))this : null; } inout(TypeEnum) isTypeEnum() { return ty == Tenum ? cast(typeof(return))this : null; } inout(TypeClass) isTypeClass() { return ty == Tclass ? cast(typeof(return))this : null; } inout(TypeTuple) isTypeTuple() { return ty == Ttuple ? cast(typeof(return))this : null; } inout(TypeSlice) isTypeSlice() { return ty == Tslice ? cast(typeof(return))this : null; } inout(TypeNull) isTypeNull() { return ty == Tnull ? cast(typeof(return))this : null; } inout(TypeMixin) isTypeMixin() { return ty == Tmixin ? cast(typeof(return))this : null; } inout(TypeTraits) isTypeTraits() { return ty == Ttraits ? cast(typeof(return))this : null; } inout(TypeNoreturn) isTypeNoreturn() { return ty == Tnoreturn ? cast(typeof(return))this : null; } inout(TypeTag) isTypeTag() { return ty == Ttag ? cast(typeof(return))this : null; } } override void accept(Visitor v) { v.visit(this); } final TypeFunction toTypeFunction() { if (ty != Tfunction) assert(0); return cast(TypeFunction)this; } extern (D) static Types* arraySyntaxCopy(Types* types) { Types* a = null; if (types) { a = new Types(types.length); foreach (i, t; *types) { (*a)[i] = t ? t.syntaxCopy() : null; } } return a; } } /*********************************************************** */ extern (C++) final class TypeError : Type { extern (D) this() { super(Terror); } override const(char)* kind() const { return "error"; } override TypeError syntaxCopy() { // No semantic analysis done, no need to copy return this; } override uinteger_t size(const ref Loc loc) { return SIZE_INVALID; } override Expression defaultInitLiteral(const ref Loc loc) { return ErrorExp.get(); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) abstract class TypeNext : Type { Type next; final extern (D) this(TY ty, Type next) { super(ty); this.next = next; } override final void checkDeprecated(const ref Loc loc, Scope* sc) { Type.checkDeprecated(loc, sc); if (next) // next can be NULL if TypeFunction and auto return type next.checkDeprecated(loc, sc); } override final int hasWild() const { if (ty == Tfunction) return 0; if (ty == Tdelegate) return Type.hasWild(); return mod & MODFlags.wild || (next && next.hasWild()); } /******************************* * For TypeFunction, nextOf() can return NULL if the function return * type is meant to be inferred, and semantic() hasn't yet ben run * on the function. After semantic(), it must no longer be NULL. */ override final Type nextOf() { return next; } override final Type makeConst() { //printf("TypeNext::makeConst() %p, %s\n", this, toChars()); if (mcache && mcache.cto) { assert(mcache.cto.mod == MODFlags.const_); return mcache.cto; } TypeNext t = cast(TypeNext)Type.makeConst(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isShared()) { if (next.isWild()) t.next = next.sharedWildConstOf(); else t.next = next.sharedConstOf(); } else { if (next.isWild()) t.next = next.wildConstOf(); else t.next = next.constOf(); } } //printf("TypeNext::makeConst() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeImmutable() { //printf("TypeNext::makeImmutable() %s\n", toChars()); if (mcache && mcache.ito) { assert(mcache.ito.isImmutable()); return mcache.ito; } TypeNext t = cast(TypeNext)Type.makeImmutable(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { t.next = next.immutableOf(); } return t; } override final Type makeShared() { //printf("TypeNext::makeShared() %s\n", toChars()); if (mcache && mcache.sto) { assert(mcache.sto.mod == MODFlags.shared_); return mcache.sto; } TypeNext t = cast(TypeNext)Type.makeShared(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isWild()) { if (next.isConst()) t.next = next.sharedWildConstOf(); else t.next = next.sharedWildOf(); } else { if (next.isConst()) t.next = next.sharedConstOf(); else t.next = next.sharedOf(); } } //printf("TypeNext::makeShared() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeSharedConst() { //printf("TypeNext::makeSharedConst() %s\n", toChars()); if (mcache && mcache.scto) { assert(mcache.scto.mod == (MODFlags.shared_ | MODFlags.const_)); return mcache.scto; } TypeNext t = cast(TypeNext)Type.makeSharedConst(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isWild()) t.next = next.sharedWildConstOf(); else t.next = next.sharedConstOf(); } //printf("TypeNext::makeSharedConst() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeWild() { //printf("TypeNext::makeWild() %s\n", toChars()); if (mcache && mcache.wto) { assert(mcache.wto.mod == MODFlags.wild); return mcache.wto; } TypeNext t = cast(TypeNext)Type.makeWild(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isShared()) { if (next.isConst()) t.next = next.sharedWildConstOf(); else t.next = next.sharedWildOf(); } else { if (next.isConst()) t.next = next.wildConstOf(); else t.next = next.wildOf(); } } //printf("TypeNext::makeWild() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeWildConst() { //printf("TypeNext::makeWildConst() %s\n", toChars()); if (mcache && mcache.wcto) { assert(mcache.wcto.mod == MODFlags.wildconst); return mcache.wcto; } TypeNext t = cast(TypeNext)Type.makeWildConst(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isShared()) t.next = next.sharedWildConstOf(); else t.next = next.wildConstOf(); } //printf("TypeNext::makeWildConst() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeSharedWild() { //printf("TypeNext::makeSharedWild() %s\n", toChars()); if (mcache && mcache.swto) { assert(mcache.swto.isSharedWild()); return mcache.swto; } TypeNext t = cast(TypeNext)Type.makeSharedWild(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { if (next.isConst()) t.next = next.sharedWildConstOf(); else t.next = next.sharedWildOf(); } //printf("TypeNext::makeSharedWild() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeSharedWildConst() { //printf("TypeNext::makeSharedWildConst() %s\n", toChars()); if (mcache && mcache.swcto) { assert(mcache.swcto.mod == (MODFlags.shared_ | MODFlags.wildconst)); return mcache.swcto; } TypeNext t = cast(TypeNext)Type.makeSharedWildConst(); if (ty != Tfunction && next.ty != Tfunction && !next.isImmutable()) { t.next = next.sharedWildConstOf(); } //printf("TypeNext::makeSharedWildConst() returns %p, %s\n", t, t.toChars()); return t; } override final Type makeMutable() { //printf("TypeNext::makeMutable() %p, %s\n", this, toChars()); TypeNext t = cast(TypeNext)Type.makeMutable(); if (ty == Tsarray) { t.next = next.mutableOf(); } //printf("TypeNext::makeMutable() returns %p, %s\n", t, t.toChars()); return t; } override MATCH constConv(Type to) { //printf("TypeNext::constConv from = %s, to = %s\n", toChars(), to.toChars()); if (equals(to)) return MATCH.exact; if (!(ty == to.ty && MODimplicitConv(mod, to.mod))) return MATCH.nomatch; Type tn = to.nextOf(); if (!(tn && next.ty == tn.ty)) return MATCH.nomatch; MATCH m; if (to.isConst()) // whole tail const conversion { // Recursive shared level check m = next.constConv(tn); if (m == MATCH.exact) m = MATCH.constant; } else { //printf("\tnext => %s, to.next => %s\n", next.toChars(), tn.toChars()); m = next.equals(tn) ? MATCH.constant : MATCH.nomatch; } return m; } override final MOD deduceWild(Type t, bool isRef) { if (ty == Tfunction) return 0; ubyte wm; Type tn = t.nextOf(); if (!isRef && (ty == Tarray || ty == Tpointer) && tn) { wm = next.deduceWild(tn, true); if (!wm) wm = Type.deduceWild(t, true); } else { wm = Type.deduceWild(t, isRef); if (!wm && tn) wm = next.deduceWild(tn, true); } return wm; } final void transitive() { /* Invoke transitivity of type attributes */ next = next.addMod(mod); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeBasic : Type { const(char)* dstring; uint flags; extern (D) this(TY ty) scope { super(ty); const(char)* d; uint flags = 0; switch (ty) { case Tvoid: d = Token.toChars(TOK.void_); break; case Tint8: d = Token.toChars(TOK.int8); flags |= TFlags.integral; break; case Tuns8: d = Token.toChars(TOK.uns8); flags |= TFlags.integral | TFlags.unsigned; break; case Tint16: d = Token.toChars(TOK.int16); flags |= TFlags.integral; break; case Tuns16: d = Token.toChars(TOK.uns16); flags |= TFlags.integral | TFlags.unsigned; break; case Tint32: d = Token.toChars(TOK.int32); flags |= TFlags.integral; break; case Tuns32: d = Token.toChars(TOK.uns32); flags |= TFlags.integral | TFlags.unsigned; break; case Tfloat32: d = Token.toChars(TOK.float32); flags |= TFlags.floating | TFlags.real_; break; case Tint64: d = Token.toChars(TOK.int64); flags |= TFlags.integral; break; case Tuns64: d = Token.toChars(TOK.uns64); flags |= TFlags.integral | TFlags.unsigned; break; case Tint128: d = Token.toChars(TOK.int128); flags |= TFlags.integral; break; case Tuns128: d = Token.toChars(TOK.uns128); flags |= TFlags.integral | TFlags.unsigned; break; case Tfloat64: d = Token.toChars(TOK.float64); flags |= TFlags.floating | TFlags.real_; break; case Tfloat80: d = Token.toChars(TOK.float80); flags |= TFlags.floating | TFlags.real_; break; case Timaginary32: d = Token.toChars(TOK.imaginary32); flags |= TFlags.floating | TFlags.imaginary; break; case Timaginary64: d = Token.toChars(TOK.imaginary64); flags |= TFlags.floating | TFlags.imaginary; break; case Timaginary80: d = Token.toChars(TOK.imaginary80); flags |= TFlags.floating | TFlags.imaginary; break; case Tcomplex32: d = Token.toChars(TOK.complex32); flags |= TFlags.floating | TFlags.complex; break; case Tcomplex64: d = Token.toChars(TOK.complex64); flags |= TFlags.floating | TFlags.complex; break; case Tcomplex80: d = Token.toChars(TOK.complex80); flags |= TFlags.floating | TFlags.complex; break; case Tbool: d = "bool"; flags |= TFlags.integral | TFlags.unsigned; break; case Tchar: d = Token.toChars(TOK.char_); flags |= TFlags.integral | TFlags.unsigned; break; case Twchar: d = Token.toChars(TOK.wchar_); flags |= TFlags.integral | TFlags.unsigned; break; case Tdchar: d = Token.toChars(TOK.dchar_); flags |= TFlags.integral | TFlags.unsigned; break; default: assert(0); } this.dstring = d; this.flags = flags; merge(this); } override const(char)* kind() const { return dstring; } override TypeBasic syntaxCopy() { // No semantic analysis done on basic types, no need to copy return this; } override uinteger_t size(const ref Loc loc) { uint size; //printf("TypeBasic::size()\n"); switch (ty) { case Tint8: case Tuns8: size = 1; break; case Tint16: case Tuns16: size = 2; break; case Tint32: case Tuns32: case Tfloat32: case Timaginary32: size = 4; break; case Tint64: case Tuns64: case Tfloat64: case Timaginary64: size = 8; break; case Tfloat80: case Timaginary80: size = target.realsize; break; case Tcomplex32: size = 8; break; case Tcomplex64: case Tint128: case Tuns128: size = 16; break; case Tcomplex80: size = target.realsize * 2; break; case Tvoid: //size = Type::size(); // error message size = 1; break; case Tbool: size = 1; break; case Tchar: size = 1; break; case Twchar: size = 2; break; case Tdchar: size = 4; break; default: assert(0); } //printf("TypeBasic::size() = %d\n", size); return size; } override uint alignsize() { return target.alignsize(this); } override bool isintegral() { //printf("TypeBasic::isintegral('%s') x%x\n", toChars(), flags); return (flags & TFlags.integral) != 0; } override bool isfloating() { return (flags & TFlags.floating) != 0; } override bool isreal() { return (flags & TFlags.real_) != 0; } override bool isimaginary() { return (flags & TFlags.imaginary) != 0; } override bool iscomplex() { return (flags & TFlags.complex) != 0; } override bool isscalar() { return (flags & (TFlags.integral | TFlags.floating)) != 0; } override bool isunsigned() { return (flags & TFlags.unsigned) != 0; } override MATCH implicitConvTo(Type to) { //printf("TypeBasic::implicitConvTo(%s) from %s\n", to.toChars(), toChars()); if (this == to) return MATCH.exact; if (ty == to.ty) { if (mod == to.mod) return MATCH.exact; else if (MODimplicitConv(mod, to.mod)) return MATCH.constant; else if (!((mod ^ to.mod) & MODFlags.shared_)) // for wild matching return MATCH.constant; else return MATCH.convert; } if (ty == Tvoid || to.ty == Tvoid) return MATCH.nomatch; if (to.ty == Tbool) return MATCH.nomatch; TypeBasic tob; if (to.ty == Tvector && to.deco) { TypeVector tv = cast(TypeVector)to; tob = tv.elementType(); } else if (auto te = to.isTypeEnum()) { EnumDeclaration ed = te.sym; if (ed.isSpecial()) { /* Special enums that allow implicit conversions to them * with a MATCH.convert */ tob = to.toBasetype().isTypeBasic(); } else return MATCH.nomatch; } else tob = to.isTypeBasic(); if (!tob) return MATCH.nomatch; if (flags & TFlags.integral) { // Disallow implicit conversion of integers to imaginary or complex if (tob.flags & (TFlags.imaginary | TFlags.complex)) return MATCH.nomatch; // If converting from integral to integral if (tob.flags & TFlags.integral) { const sz = size(Loc.initial); const tosz = tob.size(Loc.initial); /* Can't convert to smaller size */ if (sz > tosz) return MATCH.nomatch; /* Can't change sign if same size */ //if (sz == tosz && (flags ^ tob.flags) & TFlags.unsigned) // return MATCH.nomatch; } } else if (flags & TFlags.floating) { // Disallow implicit conversion of floating point to integer if (tob.flags & TFlags.integral) return MATCH.nomatch; assert(tob.flags & TFlags.floating || to.ty == Tvector); // Disallow implicit conversion from complex to non-complex if (flags & TFlags.complex && !(tob.flags & TFlags.complex)) return MATCH.nomatch; // Disallow implicit conversion of real or imaginary to complex if (flags & (TFlags.real_ | TFlags.imaginary) && tob.flags & TFlags.complex) return MATCH.nomatch; // Disallow implicit conversion to-from real and imaginary if ((flags & (TFlags.real_ | TFlags.imaginary)) != (tob.flags & (TFlags.real_ | TFlags.imaginary))) return MATCH.nomatch; } return MATCH.convert; } override bool isZeroInit(const ref Loc loc) { switch (ty) { case Tchar: case Twchar: case Tdchar: case Timaginary32: case Timaginary64: case Timaginary80: case Tfloat32: case Tfloat64: case Tfloat80: case Tcomplex32: case Tcomplex64: case Tcomplex80: return false; // no default: return true; // yes } } // For eliminating dynamic_cast override TypeBasic isTypeBasic() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * The basetype must be one of: * byte[16],ubyte[16],short[8],ushort[8],int[4],uint[4],long[2],ulong[2],float[4],double[2] * For AVX: * byte[32],ubyte[32],short[16],ushort[16],int[8],uint[8],long[4],ulong[4],float[8],double[4] */ extern (C++) final class TypeVector : Type { Type basetype; extern (D) this(Type basetype) { super(Tvector); this.basetype = basetype; } static TypeVector create(Type basetype) { return new TypeVector(basetype); } override const(char)* kind() const { return "vector"; } override TypeVector syntaxCopy() { return new TypeVector(basetype.syntaxCopy()); } override uinteger_t size(const ref Loc loc) { return basetype.size(); } override uint alignsize() { return cast(uint)basetype.size(); } override bool isintegral() { //printf("TypeVector::isintegral('%s') x%x\n", toChars(), flags); return basetype.nextOf().isintegral(); } override bool isfloating() { return basetype.nextOf().isfloating(); } override bool isscalar() { return basetype.nextOf().isscalar(); } override bool isunsigned() { return basetype.nextOf().isunsigned(); } override bool isBoolean() { return false; } override MATCH implicitConvTo(Type to) { //printf("TypeVector::implicitConvTo(%s) from %s\n", to.toChars(), toChars()); if (this == to) return MATCH.exact; if (to.ty != Tvector) return MATCH.nomatch; TypeVector tv = cast(TypeVector)to; assert(basetype.ty == Tsarray && tv.basetype.ty == Tsarray); // Can't convert to a vector which has different size. if (basetype.size() != tv.basetype.size()) return MATCH.nomatch; // Allow conversion to void[] if (tv.basetype.nextOf().ty == Tvoid) return MATCH.convert; // Otherwise implicitly convertible only if basetypes are. return basetype.implicitConvTo(tv.basetype); } override Expression defaultInitLiteral(const ref Loc loc) { //printf("TypeVector::defaultInitLiteral()\n"); assert(basetype.ty == Tsarray); Expression e = basetype.defaultInitLiteral(loc); auto ve = new VectorExp(loc, e, this); ve.type = this; ve.dim = cast(int)(basetype.size(loc) / elementType().size(loc)); return ve; } TypeBasic elementType() { assert(basetype.ty == Tsarray); TypeSArray t = cast(TypeSArray)basetype; TypeBasic tb = t.nextOf().isTypeBasic(); assert(tb); return tb; } override bool isZeroInit(const ref Loc loc) { return basetype.isZeroInit(loc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) abstract class TypeArray : TypeNext { final extern (D) this(TY ty, Type next) { super(ty, next); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Static array, one with a fixed dimension */ extern (C++) final class TypeSArray : TypeArray { Expression dim; extern (D) this(Type t, Expression dim) { super(Tsarray, t); //printf("TypeSArray(%s)\n", dim.toChars()); this.dim = dim; } extern (D) this(Type t) // for incomplete type { super(Tsarray, t); //printf("TypeSArray()\n"); this.dim = new IntegerExp(0); } override const(char)* kind() const { return "sarray"; } override TypeSArray syntaxCopy() { Type t = next.syntaxCopy(); Expression e = dim.syntaxCopy(); auto result = new TypeSArray(t, e); result.mod = mod; return result; } /*** * C11 6.7.6.2-4 incomplete array type * Returns: true if incomplete type */ bool isIncomplete() { return dim.isIntegerExp() && dim.isIntegerExp().getInteger() == 0; } override uinteger_t size(const ref Loc loc) { //printf("TypeSArray::size()\n"); const n = numberOfElems(loc); const elemsize = baseElemOf().size(loc); bool overflow = false; const sz = mulu(n, elemsize, overflow); if (overflow || sz >= uint.max) { if (elemsize != SIZE_INVALID && n != uint.max) error(loc, "static array `%s` size overflowed to %lld", toChars(), cast(long)sz); return SIZE_INVALID; } return sz; } override uint alignsize() { return next.alignsize(); } override bool isString() { TY nty = next.toBasetype().ty; return nty.isSomeChar; } override bool isZeroInit(const ref Loc loc) { return next.isZeroInit(loc); } override structalign_t alignment() { return next.alignment(); } override MATCH constConv(Type to) { if (auto tsa = to.isTypeSArray()) { if (!dim.equals(tsa.dim)) return MATCH.nomatch; } return TypeNext.constConv(to); } override MATCH implicitConvTo(Type to) { //printf("TypeSArray::implicitConvTo(to = %s) this = %s\n", to.toChars(), toChars()); if (auto ta = to.isTypeDArray()) { if (!MODimplicitConv(next.mod, ta.next.mod)) return MATCH.nomatch; /* Allow conversion to void[] */ if (ta.next.ty == Tvoid) { return MATCH.convert; } MATCH m = next.constConv(ta.next); if (m > MATCH.nomatch) { return MATCH.convert; } return MATCH.nomatch; } if (auto tsa = to.isTypeSArray()) { if (this == to) return MATCH.exact; if (dim.equals(tsa.dim)) { MATCH m = next.implicitConvTo(tsa.next); /* Allow conversion to non-interface base class. */ if (m == MATCH.convert && next.ty == Tclass) { if (auto toc = tsa.next.isTypeClass) { if (!toc.sym.isInterfaceDeclaration) return MATCH.convert; } } /* Since static arrays are value types, allow * conversions from const elements to non-const * ones, just like we allow conversion from const int * to int. */ if (m >= MATCH.constant) { if (mod != to.mod) m = MATCH.constant; return m; } } } return MATCH.nomatch; } override Expression defaultInitLiteral(const ref Loc loc) { static if (LOGDEFAULTINIT) { printf("TypeSArray::defaultInitLiteral() '%s'\n", toChars()); } size_t d = cast(size_t)dim.toInteger(); Expression elementinit; if (next.ty == Tvoid) elementinit = tuns8.defaultInitLiteral(loc); else elementinit = next.defaultInitLiteral(loc); auto elements = new Expressions(d); foreach (ref e; *elements) e = null; auto ae = new ArrayLiteralExp(Loc.initial, this, elementinit, elements); return ae; } override bool hasPointers() { /* Don't want to do this, because: * struct S { T* array[0]; } * may be a variable length struct. */ //if (dim.toInteger() == 0) // return false; if (next.ty == Tvoid) { // Arrays of void contain arbitrary data, which may include pointers return true; } else return next.hasPointers(); } override bool hasSystemFields() { return next.hasSystemFields(); } override bool hasVoidInitPointers() { return next.hasVoidInitPointers(); } override bool hasInvariant() { return next.hasInvariant(); } override bool needsDestruction() { return next.needsDestruction(); } override bool needsCopyOrPostblit() { return next.needsCopyOrPostblit(); } /********************************* * */ override bool needsNested() { return next.needsNested(); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Dynamic array, no dimension */ extern (C++) final class TypeDArray : TypeArray { extern (D) this(Type t) { super(Tarray, t); //printf("TypeDArray(t = %p)\n", t); } override const(char)* kind() const { return "darray"; } override TypeDArray syntaxCopy() { Type t = next.syntaxCopy(); if (t == next) return this; auto result = new TypeDArray(t); result.mod = mod; return result; } override uinteger_t size(const ref Loc loc) { //printf("TypeDArray::size()\n"); return target.ptrsize * 2; } override uint alignsize() { // A DArray consists of two ptr-sized values, so align it on pointer size // boundary return target.ptrsize; } override bool isString() { TY nty = next.toBasetype().ty; return nty.isSomeChar; } override bool isZeroInit(const ref Loc loc) { return true; } override bool isBoolean() { return true; } override MATCH implicitConvTo(Type to) { //printf("TypeDArray::implicitConvTo(to = %s) this = %s\n", to.toChars(), toChars()); if (equals(to)) return MATCH.exact; if (auto ta = to.isTypeDArray()) { if (!MODimplicitConv(next.mod, ta.next.mod)) return MATCH.nomatch; // not const-compatible /* Allow conversion to void[] */ if (next.ty != Tvoid && ta.next.ty == Tvoid) { return MATCH.convert; } MATCH m = next.constConv(ta.next); if (m > MATCH.nomatch) { if (m == MATCH.exact && mod != to.mod) m = MATCH.constant; return m; } } return Type.implicitConvTo(to); } override bool hasPointers() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeAArray : TypeArray { Type index; // key type Loc loc; extern (D) this(Type t, Type index) { super(Taarray, t); this.index = index; } static TypeAArray create(Type t, Type index) { return new TypeAArray(t, index); } override const(char)* kind() const { return "aarray"; } override TypeAArray syntaxCopy() { Type t = next.syntaxCopy(); Type ti = index.syntaxCopy(); if (t == next && ti == index) return this; auto result = new TypeAArray(t, ti); result.mod = mod; return result; } override uinteger_t size(const ref Loc loc) { return target.ptrsize; } override bool isZeroInit(const ref Loc loc) { return true; } override bool isBoolean() { return true; } override bool hasPointers() { return true; } override MATCH implicitConvTo(Type to) { //printf("TypeAArray::implicitConvTo(to = %s) this = %s\n", to.toChars(), toChars()); if (equals(to)) return MATCH.exact; if (auto ta = to.isTypeAArray()) { if (!MODimplicitConv(next.mod, ta.next.mod)) return MATCH.nomatch; // not const-compatible if (!MODimplicitConv(index.mod, ta.index.mod)) return MATCH.nomatch; // not const-compatible MATCH m = next.constConv(ta.next); MATCH mi = index.constConv(ta.index); if (m > MATCH.nomatch && mi > MATCH.nomatch) { return MODimplicitConv(mod, to.mod) ? MATCH.constant : MATCH.nomatch; } } return Type.implicitConvTo(to); } override MATCH constConv(Type to) { if (auto taa = to.isTypeAArray()) { MATCH mindex = index.constConv(taa.index); MATCH mkey = next.constConv(taa.next); // Pick the worst match return mkey < mindex ? mkey : mindex; } return Type.constConv(to); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypePointer : TypeNext { extern (D) this(Type t) { super(Tpointer, t); } static TypePointer create(Type t) { return new TypePointer(t); } override const(char)* kind() const { return "pointer"; } override TypePointer syntaxCopy() { Type t = next.syntaxCopy(); if (t == next) return this; auto result = new TypePointer(t); result.mod = mod; return result; } override uinteger_t size(const ref Loc loc) { return target.ptrsize; } override MATCH implicitConvTo(Type to) { //printf("TypePointer::implicitConvTo(to = %s) %s\n", to.toChars(), toChars()); if (equals(to)) return MATCH.exact; // Only convert between pointers auto tp = to.isTypePointer(); if (!tp) return MATCH.nomatch; assert(this.next); assert(tp.next); // Conversion to void* if (tp.next.ty == Tvoid) { // Function pointer conversion doesn't check constness? if (this.next.ty == Tfunction) return MATCH.convert; if (!MODimplicitConv(next.mod, tp.next.mod)) return MATCH.nomatch; // not const-compatible return this.next.ty == Tvoid ? MATCH.constant : MATCH.convert; } // Conversion between function pointers if (auto thisTf = this.next.isTypeFunction()) return thisTf.implicitPointerConv(tp.next); // Default, no implicit conversion between the pointer targets MATCH m = next.constConv(tp.next); if (m == MATCH.exact && mod != to.mod) m = MATCH.constant; return m; } override MATCH constConv(Type to) { if (next.ty == Tfunction) { if (to.nextOf() && next.equals((cast(TypeNext)to).next)) return Type.constConv(to); else return MATCH.nomatch; } return TypeNext.constConv(to); } override bool isscalar() { return true; } override bool isZeroInit(const ref Loc loc) { return true; } override bool hasPointers() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeReference : TypeNext { extern (D) this(Type t) { super(Treference, t); // BUG: what about references to static arrays? } override const(char)* kind() const { return "reference"; } override TypeReference syntaxCopy() { Type t = next.syntaxCopy(); if (t == next) return this; auto result = new TypeReference(t); result.mod = mod; return result; } override uinteger_t size(const ref Loc loc) { return target.ptrsize; } override bool isZeroInit(const ref Loc loc) { return true; } override void accept(Visitor v) { v.visit(this); } } enum RET : int { regs = 1, // returned in registers stack = 2, // returned on stack } enum TRUSTformat : int { TRUSTformatDefault, // do not emit @system when trust == TRUST.default_ TRUSTformatSystem, // emit @system when trust == TRUST.default_ } alias TRUSTformatDefault = TRUSTformat.TRUSTformatDefault; alias TRUSTformatSystem = TRUSTformat.TRUSTformatSystem; /*********************************************************** */ extern (C++) final class TypeFunction : TypeNext { // .next is the return type ParameterList parameterList; // function parameters // These flags can be accessed like `bool` properties, // getters and setters are generated for them private extern (D) static struct BitFields { bool isnothrow; /// nothrow bool isnogc; /// is @nogc bool isproperty; /// can be called without parentheses bool isref; /// returns a reference bool isreturn; /// 'this' is returned by ref bool isScopeQual; /// 'this' is scope bool isreturninferred; /// 'this' is return from inference bool isscopeinferred; /// 'this' is scope from inference bool islive; /// is @live bool incomplete; /// return type or default arguments removed bool isInOutParam; /// inout on the parameters bool isInOutQual; /// inout on the qualifier bool isctor; /// the function is a constructor bool isreturnscope; /// `this` is returned by value } import dmd.common.bitfields : generateBitFields; mixin(generateBitFields!(BitFields, ushort)); LINK linkage; // calling convention TRUST trust; // level of trust PURE purity = PURE.impure; byte inuse; Expressions* fargs; // function arguments extern (D) this(ParameterList pl, Type treturn, LINK linkage, StorageClass stc = 0) { super(Tfunction, treturn); //if (!treturn) *(char*)0=0; // assert(treturn); assert(VarArg.none <= pl.varargs && pl.varargs <= VarArg.max); this.parameterList = pl; this.linkage = linkage; if (stc & STC.pure_) this.purity = PURE.fwdref; if (stc & STC.nothrow_) this.isnothrow = true; if (stc & STC.nogc) this.isnogc = true; if (stc & STC.property) this.isproperty = true; if (stc & STC.live) this.islive = true; if (stc & STC.ref_) this.isref = true; if (stc & STC.return_) this.isreturn = true; if (stc & STC.returnScope) this.isreturnscope = true; if (stc & STC.returninferred) this.isreturninferred = true; if (stc & STC.scope_) this.isScopeQual = true; if (stc & STC.scopeinferred) this.isscopeinferred = true; this.trust = TRUST.default_; if (stc & STC.safe) this.trust = TRUST.safe; else if (stc & STC.system) this.trust = TRUST.system; else if (stc & STC.trusted) this.trust = TRUST.trusted; } static TypeFunction create(Parameters* parameters, Type treturn, ubyte varargs, LINK linkage, StorageClass stc = 0) { return new TypeFunction(ParameterList(parameters, cast(VarArg)varargs), treturn, linkage, stc); } override const(char)* kind() const { return "function"; } override TypeFunction syntaxCopy() { Type treturn = next ? next.syntaxCopy() : null; auto t = new TypeFunction(parameterList.syntaxCopy(), treturn, linkage); t.mod = mod; t.isnothrow = isnothrow; t.isnogc = isnogc; t.islive = islive; t.purity = purity; t.isproperty = isproperty; t.isref = isref; t.isreturn = isreturn; t.isreturnscope = isreturnscope; t.isScopeQual = isScopeQual; t.isreturninferred = isreturninferred; t.isscopeinferred = isscopeinferred; t.isInOutParam = isInOutParam; t.isInOutQual = isInOutQual; t.trust = trust; t.fargs = fargs; t.isctor = isctor; return t; } /******************************************** * Set 'purity' field of 'this'. * Do this lazily, as the parameter types might be forward referenced. */ void purityLevel() { TypeFunction tf = this; if (tf.purity != PURE.fwdref) return; purity = PURE.const_; // assume strong until something weakens it /* Evaluate what kind of purity based on the modifiers for the parameters */ foreach (i, fparam; tf.parameterList) { Type t = fparam.type; if (!t) continue; if (fparam.storageClass & (STC.lazy_ | STC.out_)) { purity = PURE.weak; break; } const pref = (fparam.storageClass & STC.ref_) != 0; if (mutabilityOfType(pref, t) == 0) purity = PURE.weak; } tf.purity = purity; } /******************************************** * Return true if there are lazy parameters. */ bool hasLazyParameters() { foreach (i, fparam; parameterList) { if (fparam.isLazy()) return true; } return false; } /******************************* * Check for `extern (D) U func(T t, ...)` variadic function type, * which has `_arguments[]` added as the first argument. * Returns: * true if D-style variadic */ bool isDstyleVariadic() const pure nothrow { return linkage == LINK.d && parameterList.varargs == VarArg.variadic; } /************************************ * Take the specified storage class for p, * and use the function signature to infer whether * STC.scope_ and STC.return_ should be OR'd in. * (This will not affect the name mangling.) * Params: * tthis = type of `this` parameter, null if none * p = parameter to this function * Returns: * storage class with STC.scope_ or STC.return_ OR'd in */ StorageClass parameterStorageClass(Type tthis, Parameter p) { //printf("parameterStorageClass(p: %s)\n", p.toChars()); auto stc = p.storageClass; // When the preview switch is enable, `in` parameters are `scope` if (stc & STC.in_ && global.params.previewIn) return stc | STC.scope_; if (stc & (STC.scope_ | STC.return_ | STC.lazy_) || purity == PURE.impure) return stc; /* If haven't inferred the return type yet, can't infer storage classes */ if (!nextOf() || !isnothrow()) return stc; purityLevel(); static bool mayHavePointers(Type t) { if (auto ts = t.isTypeStruct()) { auto sym = ts.sym; if (sym.members && !sym.determineFields() && sym.type != Type.terror) // struct is forward referenced, so "may have" pointers return true; } return t.hasPointers(); } // See if p can escape via any of the other parameters if (purity == PURE.weak) { // Check escaping through parameters foreach (i, fparam; parameterList) { Type t = fparam.type; if (!t) continue; t = t.baseElemOf(); // punch thru static arrays if (t.isMutable() && t.hasPointers()) { if (fparam.isReference() && fparam != p) return stc; if (t.ty == Tdelegate) return stc; // could escape thru delegate if (t.ty == Tclass) return stc; /* if t is a pointer to mutable pointer */ if (auto tn = t.nextOf()) { if (tn.isMutable() && mayHavePointers(tn)) return stc; // escape through pointers } } } // Check escaping through `this` if (tthis && tthis.isMutable()) { foreach (VarDeclaration v; isAggregate(tthis).fields) { if (v.hasPointers()) return stc; } } } // Check escaping through return value Type tret = nextOf().toBasetype(); if (isref || tret.hasPointers()) { return stc | STC.scope_ | STC.return_ | STC.returnScope; } else return stc | STC.scope_; } override Type addStorageClass(StorageClass stc) { //printf("addStorageClass(%llx) %d\n", stc, (stc & STC.scope_) != 0); TypeFunction t = Type.addStorageClass(stc).toTypeFunction(); if ((stc & STC.pure_ && !t.purity) || (stc & STC.nothrow_ && !t.isnothrow) || (stc & STC.nogc && !t.isnogc) || (stc & STC.scope_ && !t.isScopeQual) || (stc & STC.safe && t.trust < TRUST.trusted)) { // Klunky to change these auto tf = new TypeFunction(t.parameterList, t.next, t.linkage, 0); tf.mod = t.mod; tf.fargs = fargs; tf.purity = t.purity; tf.isnothrow = t.isnothrow; tf.isnogc = t.isnogc; tf.isproperty = t.isproperty; tf.isref = t.isref; tf.isreturn = t.isreturn; tf.isreturnscope = t.isreturnscope; tf.isScopeQual = t.isScopeQual; tf.isreturninferred = t.isreturninferred; tf.isscopeinferred = t.isscopeinferred; tf.trust = t.trust; tf.isInOutParam = t.isInOutParam; tf.isInOutQual = t.isInOutQual; tf.isctor = t.isctor; if (stc & STC.pure_) tf.purity = PURE.fwdref; if (stc & STC.nothrow_) tf.isnothrow = true; if (stc & STC.nogc) tf.isnogc = true; if (stc & STC.safe) tf.trust = TRUST.safe; if (stc & STC.scope_) { tf.isScopeQual = true; if (stc & STC.scopeinferred) tf.isscopeinferred = true; } tf.deco = tf.merge().deco; t = tf; } return t; } override Type substWildTo(uint) { if (!iswild && !(mod & MODFlags.wild)) return this; // Substitude inout qualifier of function type to mutable or immutable // would break type system. Instead substitude inout to the most weak // qualifer - const. uint m = MODFlags.const_; assert(next); Type tret = next.substWildTo(m); Parameters* params = parameterList.parameters; if (mod & MODFlags.wild) params = parameterList.parameters.copy(); for (size_t i = 0; i < params.length; i++) { Parameter p = (*params)[i]; Type t = p.type.substWildTo(m); if (t == p.type) continue; if (params == parameterList.parameters) params = parameterList.parameters.copy(); (*params)[i] = new Parameter(p.storageClass, t, null, null, null); } if (next == tret && params == parameterList.parameters) return this; // Similar to TypeFunction::syntaxCopy; auto t = new TypeFunction(ParameterList(params, parameterList.varargs), tret, linkage); t.mod = ((mod & MODFlags.wild) ? (mod & ~MODFlags.wild) | MODFlags.const_ : mod); t.isnothrow = isnothrow; t.isnogc = isnogc; t.purity = purity; t.isproperty = isproperty; t.isref = isref; t.isreturn = isreturn; t.isreturnscope = isreturnscope; t.isScopeQual = isScopeQual; t.isreturninferred = isreturninferred; t.isscopeinferred = isscopeinferred; t.isInOutParam = false; t.isInOutQual = false; t.trust = trust; t.fargs = fargs; t.isctor = isctor; return t.merge(); } // arguments get specially formatted private const(char)* getParamError(Expression arg, Parameter par) { if (global.gag && !global.params.showGaggedErrors) return null; // show qualification when toChars() is the same but types are different // https://issues.dlang.org/show_bug.cgi?id=19948 // when comparing the type with strcmp, we need to drop the qualifier auto at = arg.type.mutableOf().toChars(); bool qual = !arg.type.equals(par.type) && strcmp(at, par.type.mutableOf().toChars()) == 0; if (qual) at = arg.type.toPrettyChars(true); OutBuffer buf; // only mention rvalue if it's relevant const rv = !arg.isLvalue() && par.isReference(); buf.printf("cannot pass %sargument `%s` of type `%s` to parameter `%s`", rv ? "rvalue ".ptr : "".ptr, arg.toChars(), at, parameterToChars(par, this, qual)); return buf.extractChars(); } private extern(D) const(char)* getMatchError(A...)(const(char)* format, A args) { if (global.gag && !global.params.showGaggedErrors) return null; OutBuffer buf; buf.printf(format, args); return buf.extractChars(); } /******************************** * 'args' are being matched to function 'this' * Determine match level. * Params: * tthis = type of `this` pointer, null if not member function * argumentList = arguments to function call * flag = 1: performing a partial ordering match * pMessage = address to store error message, or null * sc = context * Returns: * MATCHxxxx */ extern (D) MATCH callMatch(Type tthis, ArgumentList argumentList, int flag = 0, const(char)** pMessage = null, Scope* sc = null) { //printf("TypeFunction::callMatch() %s\n", toChars()); MATCH match = MATCH.exact; // assume exact match ubyte wildmatch = 0; if (tthis) { Type t = tthis; if (t.toBasetype().ty == Tpointer) t = t.toBasetype().nextOf(); // change struct* to struct if (t.mod != mod) { if (MODimplicitConv(t.mod, mod)) match = MATCH.constant; else if ((mod & MODFlags.wild) && MODimplicitConv(t.mod, (mod & ~MODFlags.wild) | MODFlags.const_)) { match = MATCH.constant; } else return MATCH.nomatch; } if (isWild()) { if (t.isWild()) wildmatch |= MODFlags.wild; else if (t.isConst()) wildmatch |= MODFlags.const_; else if (t.isImmutable()) wildmatch |= MODFlags.immutable_; else wildmatch |= MODFlags.mutable; } } const nparams = parameterList.length; if (argumentList.length > nparams) { if (parameterList.varargs == VarArg.none) { // suppress early exit if an error message is wanted, // so we can check any matching args are valid if (!pMessage) return MATCH.nomatch; } // too many args; no match match = MATCH.convert; // match ... with a "conversion" match level } // https://issues.dlang.org/show_bug.cgi?id=22997 if (parameterList.varargs == VarArg.none && nparams > argumentList.length && !parameterList.hasDefaultArgs) { OutBuffer buf; buf.printf("too few arguments, expected %d, got %d", cast(int)nparams, cast(int)argumentList.length); if (pMessage) *pMessage = buf.extractChars(); return MATCH.nomatch; } auto resolvedArgs = resolveNamedArgs(argumentList, pMessage); Expression[] args; if (!resolvedArgs) { if (!pMessage || *pMessage) return MATCH.nomatch; // if no message was provided, it was because of overflow which will be diagnosed below match = MATCH.nomatch; args = argumentList.arguments ? (*argumentList.arguments)[] : null; } else { args = (*resolvedArgs)[]; } foreach (u, p; parameterList) { if (u >= args.length) break; Expression arg = args[u]; if (!arg) continue; // default argument Type tprm = p.type; Type targ = arg.type; if (!(p.isLazy() && tprm.ty == Tvoid && targ.ty != Tvoid)) { const isRef = p.isReference(); wildmatch |= targ.deduceWild(tprm, isRef); } } if (wildmatch) { /* Calculate wild matching modifier */ if (wildmatch & MODFlags.const_ || wildmatch & (wildmatch - 1)) wildmatch = MODFlags.const_; else if (wildmatch & MODFlags.immutable_) wildmatch = MODFlags.immutable_; else if (wildmatch & MODFlags.wild) wildmatch = MODFlags.wild; else { assert(wildmatch & MODFlags.mutable); wildmatch = MODFlags.mutable; } } foreach (u, p; parameterList) { MATCH m; assert(p); // One or more arguments remain if (u < args.length) { Expression arg = args[u]; if (!arg) continue; // default argument m = argumentMatchParameter(this, p, arg, wildmatch, flag, sc, pMessage); } else if (p.defaultArg) continue; /* prefer matching the element type rather than the array * type when more arguments are present with T[]... */ if (parameterList.varargs == VarArg.typesafe && u + 1 == nparams && args.length > nparams) goto L1; //printf("\tm = %d\n", m); if (m == MATCH.nomatch) // if no match { L1: if (parameterList.varargs == VarArg.typesafe && u + 1 == nparams) // if last varargs param { auto trailingArgs = args[u .. $]; if (auto vmatch = matchTypeSafeVarArgs(this, p, trailingArgs, pMessage)) return vmatch < match ? vmatch : match; // Error message was already generated in `matchTypeSafeVarArgs` return MATCH.nomatch; } if (pMessage && u >= args.length) *pMessage = getMatchError("missing argument for parameter #%d: `%s`", u + 1, parameterToChars(p, this, false)); // If an error happened previously, `pMessage` was already filled else if (pMessage && !*pMessage) *pMessage = getParamError(args[u], p); return MATCH.nomatch; } if (m < match) match = m; // pick worst match } if (pMessage && !parameterList.varargs && args.length > nparams) { // all parameters had a match, but there are surplus args *pMessage = getMatchError("expected %d argument(s), not %d", nparams, args.length); return MATCH.nomatch; } //printf("match = %d\n", match); return match; } /******************************** * Convert an `argumentList`, which may contain named arguments, into * a list of arguments in the order of the parameter list. * * Params: * argumentList = array of function arguments * pMessage = address to store error message, or `null` * Returns: re-ordered argument list, or `null` on error */ extern(D) Expressions* resolveNamedArgs(ArgumentList argumentList, const(char)** pMessage) { Expression[] args = argumentList.arguments ? (*argumentList.arguments)[] : null; Identifier[] names = argumentList.names ? (*argumentList.names)[] : null; auto newArgs = new Expressions(parameterList.length); newArgs.zero(); size_t ci = 0; bool hasNamedArgs = false; foreach (i, arg; args) { if (!arg) { ci++; continue; } auto name = i < names.length ? names[i] : null; if (name) { hasNamedArgs = true; const pi = findParameterIndex(name); if (pi == -1) { if (pMessage) *pMessage = getMatchError("no parameter named `%s`", name.toChars()); return null; } ci = pi; } if (ci >= newArgs.length) { if (!parameterList.varargs) { // Without named args, let the caller diagnose argument overflow if (hasNamedArgs && pMessage) *pMessage = getMatchError("argument `%s` goes past end of parameter list", arg.toChars()); return null; } while (ci >= newArgs.length) newArgs.push(null); } if ((*newArgs)[ci]) { if (pMessage) *pMessage = getMatchError("parameter `%s` assigned twice", parameterList[ci].toChars()); return null; } (*newArgs)[ci++] = arg; } foreach (i, arg; (*newArgs)[]) { if (arg || parameterList[i].defaultArg) continue; if (parameterList.varargs != VarArg.none && i + 1 == newArgs.length) continue; if (pMessage) *pMessage = getMatchError("missing argument for parameter #%d: `%s`", i + 1, parameterToChars(parameterList[i], this, false)); return null; } // strip trailing nulls from default arguments size_t e = newArgs.length; while (e > 0 && (*newArgs)[e - 1] is null) { --e; } newArgs.setDim(e); return newArgs; } /+ + Checks whether this function type is convertible to ` to` + when used in a function pointer / delegate. + + Params: + to = target type + + Returns: + MATCH.nomatch: `to` is not a covaraint function + MATCH.convert: `to` is a covaraint function + MATCH.exact: `to` is identical to this function +/ private MATCH implicitPointerConv(Type to) { assert(to); if (this.equals(to)) return MATCH.constant; if (this.covariant(to) == Covariant.yes) { Type tret = this.nextOf(); Type toret = to.nextOf(); if (tret.ty == Tclass && toret.ty == Tclass) { /* https://issues.dlang.org/show_bug.cgi?id=10219 * Check covariant interface return with offset tweaking. * interface I {} * class C : Object, I {} * I function() dg = function C() {} // should be error */ int offset = 0; if (toret.isBaseOf(tret, &offset) && offset != 0) return MATCH.nomatch; } return MATCH.convert; } return MATCH.nomatch; } /** Extends TypeNext.constConv by also checking for matching attributes **/ override MATCH constConv(Type to) { // Attributes need to match exactly, otherwise it's an implicit conversion if (this.ty != to.ty || !this.attributesEqual(cast(TypeFunction) to)) return MATCH.nomatch; return super.constConv(to); } extern (D) bool checkRetType(const ref Loc loc) { Type tb = next.toBasetype(); if (tb.ty == Tfunction) { error(loc, "functions cannot return a function"); next = Type.terror; } if (tb.ty == Ttuple) { error(loc, "functions cannot return a tuple"); next = Type.terror; } if (!isref && (tb.ty == Tstruct || tb.ty == Tsarray)) { if (auto ts = tb.baseElemOf().isTypeStruct()) { if (!ts.sym.members) { error(loc, "functions cannot return opaque type `%s` by value", tb.toChars()); next = Type.terror; } } } if (tb.ty == Terror) return true; return false; } /// Returns: `true` the function is `isInOutQual` or `isInOutParam` ,`false` otherwise. bool iswild() const pure nothrow @safe @nogc { return isInOutParam || isInOutQual; } /// Returns: whether `this` function type has the same attributes (`@safe`,...) as `other` extern (D) bool attributesEqual(const scope TypeFunction other, bool trustSystemEqualsDefault = true) const pure nothrow @safe @nogc { // @@@DEPRECATED_2.112@@@ // See semantic2.d Semantic2Visitor.visit(FuncDeclaration): // Two overloads that are identical except for one having an explicit `@system` // attribute is currently in deprecation, and will become an error in 2.104 for // `extern(C)`, and 2.112 for `extern(D)` code respectively. Once the deprecation // period has passed, the trustSystemEqualsDefault=true behaviour should be made // the default, then we can remove the `cannot overload extern(...) function` // errors as they will become dead code as a result. return (this.trust == other.trust || (trustSystemEqualsDefault && this.trust <= TRUST.system && other.trust <= TRUST.system)) && this.purity == other.purity && this.isnothrow == other.isnothrow && this.isnogc == other.isnogc && this.islive == other.islive; } override void accept(Visitor v) { v.visit(this); } /** * Look for the index of parameter `ident` in the parameter list * * Params: * ident = identifier of parameter to search for * Returns: index of parameter with name `ident` or -1 if not found */ private extern(D) ptrdiff_t findParameterIndex(Identifier ident) { foreach (i, p; this.parameterList) { if (p.ident == ident) return i; } return -1; } } /*********************************************************** */ extern (C++) final class TypeDelegate : TypeNext { // .next is a TypeFunction extern (D) this(TypeFunction t) { super(Tfunction, t); ty = Tdelegate; } static TypeDelegate create(TypeFunction t) { return new TypeDelegate(t); } override const(char)* kind() const { return "delegate"; } override TypeDelegate syntaxCopy() { auto tf = next.syntaxCopy().isTypeFunction(); if (tf == next) return this; auto result = new TypeDelegate(tf); result.mod = mod; return result; } override Type addStorageClass(StorageClass stc) { TypeDelegate t = cast(TypeDelegate)Type.addStorageClass(stc); return t; } override uinteger_t size(const ref Loc loc) { return target.ptrsize * 2; } override uint alignsize() { return target.ptrsize; } override MATCH implicitConvTo(Type to) { //printf("TypeDelegate.implicitConvTo(this=%p, to=%p)\n", this, to); //printf("from: %s\n", toChars()); //printf("to : %s\n", to.toChars()); if (this.equals(to)) return MATCH.exact; if (auto toDg = to.isTypeDelegate()) { MATCH m = this.next.isTypeFunction().implicitPointerConv(toDg.next); // Retain the old behaviour for this refactoring // Should probably be changed to constant to match function pointers if (m > MATCH.convert) m = MATCH.convert; return m; } return MATCH.nomatch; } override bool isZeroInit(const ref Loc loc) { return true; } override bool isBoolean() { return true; } override bool hasPointers() { return true; } override void accept(Visitor v) { v.visit(this); } } /** * This is a shell containing a TraitsExp that can be * either resolved to a type or to a symbol. * * The point is to allow AliasDeclarationY to use `__traits()`, see issue 7804. */ extern (C++) final class TypeTraits : Type { Loc loc; /// The expression to resolve as type or symbol. TraitsExp exp; /// Cached type/symbol after semantic analysis. RootObject obj; final extern (D) this(const ref Loc loc, TraitsExp exp) { super(Ttraits); this.loc = loc; this.exp = exp; } override const(char)* kind() const { return "traits"; } override TypeTraits syntaxCopy() { TraitsExp te = exp.syntaxCopy(); TypeTraits tt = new TypeTraits(loc, te); tt.mod = mod; return tt; } override Dsymbol toDsymbol(Scope* sc) { Type t; Expression e; Dsymbol s; resolve(this, loc, sc, e, t, s); if (t && t.ty != Terror) s = t.toDsymbol(sc); else if (e) s = getDsymbol(e); return s; } override void accept(Visitor v) { v.visit(this); } override uinteger_t size(const ref Loc loc) { return SIZE_INVALID; } } /****** * Implements mixin types. * * Semantic analysis will convert it to a real type. */ extern (C++) final class TypeMixin : Type { Loc loc; Expressions* exps; RootObject obj; // cached result of semantic analysis. extern (D) this(const ref Loc loc, Expressions* exps) { super(Tmixin); this.loc = loc; this.exps = exps; } override const(char)* kind() const { return "mixin"; } override TypeMixin syntaxCopy() { return new TypeMixin(loc, Expression.arraySyntaxCopy(exps)); } override Dsymbol toDsymbol(Scope* sc) { Type t; Expression e; Dsymbol s; resolve(this, loc, sc, e, t, s); if (t) s = t.toDsymbol(sc); else if (e) s = getDsymbol(e); return s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) abstract class TypeQualified : Type { Loc loc; // array of Identifier and TypeInstance, // representing ident.ident!tiargs.ident. ... etc. Objects idents; final extern (D) this(TY ty, Loc loc) { super(ty); this.loc = loc; } // abstract override so that using `TypeQualified.syntaxCopy` gets // us a `TypeQualified` abstract override TypeQualified syntaxCopy(); final void syntaxCopyHelper(TypeQualified t) { //printf("TypeQualified::syntaxCopyHelper(%s) %s\n", t.toChars(), toChars()); idents.setDim(t.idents.length); for (size_t i = 0; i < idents.length; i++) { RootObject id = t.idents[i]; with (DYNCAST) final switch (id.dyncast()) { case object: break; case expression: Expression e = cast(Expression)id; e = e.syntaxCopy(); id = e; break; case dsymbol: TemplateInstance ti = cast(TemplateInstance)id; ti = ti.syntaxCopy(null); id = ti; break; case type: Type tx = cast(Type)id; tx = tx.syntaxCopy(); id = tx; break; case identifier: case tuple: case parameter: case statement: case condition: case templateparameter: case initializer: } idents[i] = id; } } final void addIdent(Identifier ident) { idents.push(ident); } final void addInst(TemplateInstance inst) { idents.push(inst); } final void addIndex(RootObject e) { idents.push(e); } override uinteger_t size(const ref Loc loc) { error(this.loc, "size of type `%s` is not known", toChars()); return SIZE_INVALID; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeIdentifier : TypeQualified { Identifier ident; // The symbol representing this identifier, before alias resolution Dsymbol originalSymbol; extern (D) this(const ref Loc loc, Identifier ident) { super(Tident, loc); this.ident = ident; } static TypeIdentifier create(const ref Loc loc, Identifier ident) { return new TypeIdentifier(loc, ident); } override const(char)* kind() const { return "identifier"; } override TypeIdentifier syntaxCopy() { auto t = new TypeIdentifier(loc, ident); t.syntaxCopyHelper(this); t.mod = mod; return t; } /***************************************** * See if type resolves to a symbol, if so, * return that symbol. */ override Dsymbol toDsymbol(Scope* sc) { //printf("TypeIdentifier::toDsymbol('%s')\n", toChars()); if (!sc) return null; Type t; Expression e; Dsymbol s; resolve(this, loc, sc, e, t, s); if (t && t.ty != Tident) s = t.toDsymbol(sc); if (e) s = getDsymbol(e); return s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Similar to TypeIdentifier, but with a TemplateInstance as the root */ extern (C++) final class TypeInstance : TypeQualified { TemplateInstance tempinst; extern (D) this(const ref Loc loc, TemplateInstance tempinst) { super(Tinstance, loc); this.tempinst = tempinst; } override const(char)* kind() const { return "instance"; } override TypeInstance syntaxCopy() { //printf("TypeInstance::syntaxCopy() %s, %d\n", toChars(), idents.length); auto t = new TypeInstance(loc, tempinst.syntaxCopy(null)); t.syntaxCopyHelper(this); t.mod = mod; return t; } override Dsymbol toDsymbol(Scope* sc) { Type t; Expression e; Dsymbol s; //printf("TypeInstance::semantic(%s)\n", toChars()); resolve(this, loc, sc, e, t, s); if (t && t.ty != Tinstance) s = t.toDsymbol(sc); return s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeTypeof : TypeQualified { Expression exp; int inuse; extern (D) this(const ref Loc loc, Expression exp) { super(Ttypeof, loc); this.exp = exp; } override const(char)* kind() const { return "typeof"; } override TypeTypeof syntaxCopy() { //printf("TypeTypeof::syntaxCopy() %s\n", toChars()); auto t = new TypeTypeof(loc, exp.syntaxCopy()); t.syntaxCopyHelper(this); t.mod = mod; return t; } override Dsymbol toDsymbol(Scope* sc) { //printf("TypeTypeof::toDsymbol('%s')\n", toChars()); Expression e; Type t; Dsymbol s; resolve(this, loc, sc, e, t, s); return s; } override uinteger_t size(const ref Loc loc) { if (exp.type) return exp.type.size(loc); else return TypeQualified.size(loc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeReturn : TypeQualified { extern (D) this(const ref Loc loc) { super(Treturn, loc); } override const(char)* kind() const { return "return"; } override TypeReturn syntaxCopy() { auto t = new TypeReturn(loc); t.syntaxCopyHelper(this); t.mod = mod; return t; } override Dsymbol toDsymbol(Scope* sc) { Expression e; Type t; Dsymbol s; resolve(this, loc, sc, e, t, s); return s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeStruct : Type { StructDeclaration sym; AliasThisRec att = AliasThisRec.fwdref; bool inuse = false; // struct currently subject of recursive method call extern (D) this(StructDeclaration sym) { super(Tstruct); this.sym = sym; } static TypeStruct create(StructDeclaration sym) { return new TypeStruct(sym); } override const(char)* kind() const { return "struct"; } override uinteger_t size(const ref Loc loc) { return sym.size(loc); } override uint alignsize() { sym.size(Loc.initial); // give error for forward references return sym.alignsize; } override TypeStruct syntaxCopy() { return this; } override Dsymbol toDsymbol(Scope* sc) { return sym; } override structalign_t alignment() { if (sym.alignment.isUnknown()) sym.size(sym.loc); return sym.alignment; } /*************************************** * Use when we prefer the default initializer to be a literal, * rather than a global immutable variable. */ override Expression defaultInitLiteral(const ref Loc loc) { static if (LOGDEFAULTINIT) { printf("TypeStruct::defaultInitLiteral() '%s'\n", toChars()); } sym.size(loc); if (sym.sizeok != Sizeok.done) return ErrorExp.get(); auto structelems = new Expressions(sym.nonHiddenFields()); uint offset = 0; foreach (j; 0 .. structelems.length) { VarDeclaration vd = sym.fields[j]; Expression e; if (vd.inuse) { error(loc, "circular reference to `%s`", vd.toPrettyChars()); return ErrorExp.get(); } if (vd.offset < offset || vd.type.size() == 0) e = null; else if (vd._init) { if (vd._init.isVoidInitializer()) e = null; else e = vd.getConstInitializer(false); } else e = vd.type.defaultInitLiteral(loc); if (e && e.op == EXP.error) return e; if (e) offset = vd.offset + cast(uint)vd.type.size(); (*structelems)[j] = e; } auto structinit = new StructLiteralExp(loc, sym, structelems); /* Copy from the initializer symbol for larger symbols, * otherwise the literals expressed as code get excessively large. */ if (size(loc) > target.ptrsize * 4 && !needsNested()) structinit.useStaticInit = true; structinit.type = this; return structinit; } override bool isZeroInit(const ref Loc loc) { // Determine zeroInit here, as this can be called before semantic2 sym.determineSize(sym.loc); return sym.zeroInit; } override bool isAssignable() { bool assignable = true; uint offset = ~0; // dead-store initialize to prevent spurious warning sym.determineSize(sym.loc); /* If any of the fields are const or immutable, * then one cannot assign this struct. */ for (size_t i = 0; i < sym.fields.length; i++) { VarDeclaration v = sym.fields[i]; //printf("%s [%d] v = (%s) %s, v.offset = %d, v.parent = %s\n", sym.toChars(), i, v.kind(), v.toChars(), v.offset, v.parent.kind()); if (i == 0) { } else if (v.offset == offset) { /* If any fields of anonymous union are assignable, * then regard union as assignable. * This is to support unsafe things like Rebindable templates. */ if (assignable) continue; } else { if (!assignable) return false; } assignable = v.type.isMutable() && v.type.isAssignable(); offset = v.offset; //printf(" -> assignable = %d\n", assignable); } return assignable; } override bool isBoolean() { return false; } override bool needsDestruction() { return sym.dtor !is null; } override bool needsCopyOrPostblit() { return sym.hasCopyCtor || sym.postblit; } override bool needsNested() { if (inuse) return false; // circular type, error instead of crashing inuse = true; scope(exit) inuse = false; if (sym.isNested()) return true; for (size_t i = 0; i < sym.fields.length; i++) { VarDeclaration v = sym.fields[i]; if (!v.isDataseg() && v.type.needsNested()) return true; } return false; } override bool hasPointers() { if (sym.members && !sym.determineFields() && sym.type != Type.terror) error(sym.loc, "no size because of forward references"); sym.determineTypeProperties(); return sym.hasPointerField; } override bool hasVoidInitPointers() { sym.size(Loc.initial); // give error for forward references sym.determineTypeProperties(); return sym.hasVoidInitPointers; } override bool hasSystemFields() { sym.size(Loc.initial); // give error for forward references sym.determineTypeProperties(); return sym.hasSystemFields; } override bool hasInvariant() { sym.size(Loc.initial); // give error for forward references sym.determineTypeProperties(); return sym.hasInvariant() || sym.hasFieldWithInvariant; } extern (D) MATCH implicitConvToWithoutAliasThis(Type to) { MATCH m; if (ty == to.ty && sym == (cast(TypeStruct)to).sym) { m = MATCH.exact; // exact match if (mod != to.mod) { m = MATCH.constant; if (MODimplicitConv(mod, to.mod)) { } else { /* Check all the fields. If they can all be converted, * allow the conversion. */ uint offset = ~0; // dead-store to prevent spurious warning for (size_t i = 0; i < sym.fields.length; i++) { VarDeclaration v = sym.fields[i]; if (i == 0) { } else if (v.offset == offset) { if (m > MATCH.nomatch) continue; } else { if (m == MATCH.nomatch) return m; } // 'from' type Type tvf = v.type.addMod(mod); // 'to' type Type tv = v.type.addMod(to.mod); // field match MATCH mf = tvf.implicitConvTo(tv); //printf("\t%s => %s, match = %d\n", v.type.toChars(), tv.toChars(), mf); if (mf == MATCH.nomatch) return mf; if (mf < m) // if field match is worse m = mf; offset = v.offset; } } } } return m; } extern (D) MATCH implicitConvToThroughAliasThis(Type to) { MATCH m; if (!(ty == to.ty && sym == (cast(TypeStruct)to).sym) && sym.aliasthis && !(att & AliasThisRec.tracing)) { if (auto ato = aliasthisOf()) { att = cast(AliasThisRec)(att | AliasThisRec.tracing); m = ato.implicitConvTo(to); att = cast(AliasThisRec)(att & ~AliasThisRec.tracing); } else m = MATCH.nomatch; // no match } return m; } override MATCH implicitConvTo(Type to) { //printf("TypeStruct::implicitConvTo(%s => %s)\n", toChars(), to.toChars()); MATCH m = implicitConvToWithoutAliasThis(to); return m ? m : implicitConvToThroughAliasThis(to); } override MATCH constConv(Type to) { if (equals(to)) return MATCH.exact; if (ty == to.ty && sym == (cast(TypeStruct)to).sym && MODimplicitConv(mod, to.mod)) return MATCH.constant; return MATCH.nomatch; } override MOD deduceWild(Type t, bool isRef) { if (ty == t.ty && sym == (cast(TypeStruct)t).sym) return Type.deduceWild(t, isRef); ubyte wm = 0; if (t.hasWild() && sym.aliasthis && !(att & AliasThisRec.tracing)) { if (auto ato = aliasthisOf()) { att = cast(AliasThisRec)(att | AliasThisRec.tracing); wm = ato.deduceWild(t, isRef); att = cast(AliasThisRec)(att & ~AliasThisRec.tracing); } } return wm; } override inout(Type) toHeadMutable() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeEnum : Type { EnumDeclaration sym; extern (D) this(EnumDeclaration sym) { super(Tenum); this.sym = sym; } override const(char)* kind() const { return "enum"; } override TypeEnum syntaxCopy() { return this; } override uinteger_t size(const ref Loc loc) { return sym.getMemtype(loc).size(loc); } Type memType(const ref Loc loc = Loc.initial) { return sym.getMemtype(loc); } override uint alignsize() { Type t = memType(); if (t.ty == Terror) return 4; return t.alignsize(); } override Dsymbol toDsymbol(Scope* sc) { return sym; } override bool isintegral() { return memType().isintegral(); } override bool isfloating() { return memType().isfloating(); } override bool isreal() { return memType().isreal(); } override bool isimaginary() { return memType().isimaginary(); } override bool iscomplex() { return memType().iscomplex(); } override bool isscalar() { return memType().isscalar(); } override bool isunsigned() { return memType().isunsigned(); } override bool isBoolean() { return memType().isBoolean(); } override bool isString() { return memType().isString(); } override bool isAssignable() { return memType().isAssignable(); } override bool needsDestruction() { return memType().needsDestruction(); } override bool needsCopyOrPostblit() { return memType().needsCopyOrPostblit(); } override bool needsNested() { return memType().needsNested(); } override MATCH implicitConvTo(Type to) { MATCH m; //printf("TypeEnum::implicitConvTo() %s to %s\n", toChars(), to.toChars()); if (ty == to.ty && sym == (cast(TypeEnum)to).sym) m = (mod == to.mod) ? MATCH.exact : MATCH.constant; else if (sym.getMemtype(Loc.initial).implicitConvTo(to)) m = MATCH.convert; // match with conversions else m = MATCH.nomatch; // no match return m; } override MATCH constConv(Type to) { if (equals(to)) return MATCH.exact; if (ty == to.ty && sym == (cast(TypeEnum)to).sym && MODimplicitConv(mod, to.mod)) return MATCH.constant; return MATCH.nomatch; } extern (D) Type toBasetype2() { if (!sym.members && !sym.memtype) return this; auto tb = sym.getMemtype(Loc.initial).toBasetype(); return tb.castMod(mod); // retain modifier bits from 'this' } override bool isZeroInit(const ref Loc loc) { return sym.getDefaultValue(loc).toBool().hasValue(false); } override bool hasPointers() { return memType().hasPointers(); } override bool hasVoidInitPointers() { return memType().hasVoidInitPointers(); } override bool hasSystemFields() { return memType().hasSystemFields(); } override bool hasInvariant() { return memType().hasInvariant(); } override Type nextOf() { return memType().nextOf(); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeClass : Type { ClassDeclaration sym; AliasThisRec att = AliasThisRec.fwdref; CPPMANGLE cppmangle = CPPMANGLE.def; extern (D) this(ClassDeclaration sym) { super(Tclass); this.sym = sym; } override const(char)* kind() const { return "class"; } override uinteger_t size(const ref Loc loc) { return target.ptrsize; } override TypeClass syntaxCopy() { return this; } override Dsymbol toDsymbol(Scope* sc) { return sym; } override inout(ClassDeclaration) isClassHandle() inout { return sym; } override bool isBaseOf(Type t, int* poffset) { if (t && t.ty == Tclass) { ClassDeclaration cd = (cast(TypeClass)t).sym; if (cd.semanticRun < PASS.semanticdone && !cd.isBaseInfoComplete()) cd.dsymbolSemantic(null); if (sym.semanticRun < PASS.semanticdone && !sym.isBaseInfoComplete()) sym.dsymbolSemantic(null); if (sym.isBaseOf(cd, poffset)) return true; } return false; } extern (D) MATCH implicitConvToWithoutAliasThis(Type to) { // Run semantic before checking whether class is convertible ClassDeclaration cdto = to.isClassHandle(); if (cdto) { //printf("TypeClass::implicitConvTo(to = '%s') %s, isbase = %d %d\n", to.toChars(), toChars(), cdto.isBaseInfoComplete(), sym.isBaseInfoComplete()); if (cdto.semanticRun < PASS.semanticdone && !cdto.isBaseInfoComplete()) cdto.dsymbolSemantic(null); if (sym.semanticRun < PASS.semanticdone && !sym.isBaseInfoComplete()) sym.dsymbolSemantic(null); } MATCH m = constConv(to); if (m > MATCH.nomatch) return m; if (cdto && cdto.isBaseOf(sym, null) && MODimplicitConv(mod, to.mod)) { //printf("'to' is base\n"); return MATCH.convert; } return MATCH.nomatch; } extern (D) MATCH implicitConvToThroughAliasThis(Type to) { MATCH m; if (sym.aliasthis && !(att & AliasThisRec.tracing)) { if (auto ato = aliasthisOf()) { att = cast(AliasThisRec)(att | AliasThisRec.tracing); m = ato.implicitConvTo(to); att = cast(AliasThisRec)(att & ~AliasThisRec.tracing); } } return m; } override MATCH implicitConvTo(Type to) { //printf("TypeClass::implicitConvTo(to = '%s') %s\n", to.toChars(), toChars()); MATCH m = implicitConvToWithoutAliasThis(to); return m ? m : implicitConvToThroughAliasThis(to); } override MATCH constConv(Type to) { if (equals(to)) return MATCH.exact; if (ty == to.ty && sym == (cast(TypeClass)to).sym && MODimplicitConv(mod, to.mod)) return MATCH.constant; /* Conversion derived to const(base) */ int offset = 0; if (to.isBaseOf(this, &offset) && offset == 0 && MODimplicitConv(mod, to.mod)) { // Disallow: // derived to base // inout(derived) to inout(base) if (!to.isMutable() && !to.isWild()) return MATCH.convert; } return MATCH.nomatch; } override MOD deduceWild(Type t, bool isRef) { ClassDeclaration cd = t.isClassHandle(); if (cd && (sym == cd || cd.isBaseOf(sym, null))) return Type.deduceWild(t, isRef); ubyte wm = 0; if (t.hasWild() && sym.aliasthis && !(att & AliasThisRec.tracing)) { if (auto ato = aliasthisOf()) { att = cast(AliasThisRec)(att | AliasThisRec.tracing); wm = ato.deduceWild(t, isRef); att = cast(AliasThisRec)(att & ~AliasThisRec.tracing); } } return wm; } override inout(Type) toHeadMutable() inout { return this; } override bool isZeroInit(const ref Loc loc) { return true; } override bool isscope() { return sym.stack; } override bool isBoolean() { return true; } override bool hasPointers() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeTuple : Type { // 'logically immutable' cached global - don't modify! __gshared TypeTuple empty = new TypeTuple(); Parameters* arguments; // types making up the tuple extern (D) this(Parameters* arguments) { super(Ttuple); //printf("TypeTuple(this = %p)\n", this); this.arguments = arguments; //printf("TypeTuple() %p, %s\n", this, toChars()); debug { if (arguments) { for (size_t i = 0; i < arguments.length; i++) { Parameter arg = (*arguments)[i]; assert(arg && arg.type); } } } } /**************** * Form TypeTuple from the types of the expressions. * Assume exps[] is already tuple expanded. */ extern (D) this(Expressions* exps) { super(Ttuple); auto arguments = new Parameters(exps ? exps.length : 0); if (exps) { for (size_t i = 0; i < exps.length; i++) { Expression e = (*exps)[i]; if (e.type.ty == Ttuple) e.error("cannot form tuple of tuples"); auto arg = new Parameter(STC.undefined_, e.type, null, null, null); (*arguments)[i] = arg; } } this.arguments = arguments; //printf("TypeTuple() %p, %s\n", this, toChars()); } static TypeTuple create(Parameters* arguments) { return new TypeTuple(arguments); } /******************************************* * Type tuple with 0, 1 or 2 types in it. */ extern (D) this() { super(Ttuple); arguments = new Parameters(); } extern (D) this(Type t1) { super(Ttuple); arguments = new Parameters(); arguments.push(new Parameter(0, t1, null, null, null)); } extern (D) this(Type t1, Type t2) { super(Ttuple); arguments = new Parameters(); arguments.push(new Parameter(0, t1, null, null, null)); arguments.push(new Parameter(0, t2, null, null, null)); } static TypeTuple create() { return new TypeTuple(); } static TypeTuple create(Type t1) { return new TypeTuple(t1); } static TypeTuple create(Type t1, Type t2) { return new TypeTuple(t1, t2); } override const(char)* kind() const { return "tuple"; } override TypeTuple syntaxCopy() { Parameters* args = Parameter.arraySyntaxCopy(arguments); auto t = new TypeTuple(args); t.mod = mod; return t; } override bool equals(const RootObject o) const { Type t = cast(Type)o; //printf("TypeTuple::equals(%s, %s)\n", toChars(), t.toChars()); if (this == t) return true; if (auto tt = t.isTypeTuple()) { if (arguments.length == tt.arguments.length) { for (size_t i = 0; i < tt.arguments.length; i++) { const Parameter arg1 = (*arguments)[i]; Parameter arg2 = (*tt.arguments)[i]; if (!arg1.type.equals(arg2.type)) return false; } return true; } } return false; } override MATCH implicitConvTo(Type to) { if (this == to) return MATCH.exact; if (auto tt = to.isTypeTuple()) { if (arguments.length == tt.arguments.length) { MATCH m = MATCH.exact; for (size_t i = 0; i < tt.arguments.length; i++) { Parameter arg1 = (*arguments)[i]; Parameter arg2 = (*tt.arguments)[i]; MATCH mi = arg1.type.implicitConvTo(arg2.type); if (mi < m) m = mi; } return m; } } return MATCH.nomatch; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * This is so we can slice a TypeTuple */ extern (C++) final class TypeSlice : TypeNext { Expression lwr; Expression upr; extern (D) this(Type next, Expression lwr, Expression upr) { super(Tslice, next); //printf("TypeSlice[%s .. %s]\n", lwr.toChars(), upr.toChars()); this.lwr = lwr; this.upr = upr; } override const(char)* kind() const { return "slice"; } override TypeSlice syntaxCopy() { auto t = new TypeSlice(next.syntaxCopy(), lwr.syntaxCopy(), upr.syntaxCopy()); t.mod = mod; return t; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeNull : Type { extern (D) this() { //printf("TypeNull %p\n", this); super(Tnull); } override const(char)* kind() const { return "null"; } override TypeNull syntaxCopy() { // No semantic analysis done, no need to copy return this; } override MATCH implicitConvTo(Type to) { //printf("TypeNull::implicitConvTo(this=%p, to=%p)\n", this, to); //printf("from: %s\n", toChars()); //printf("to : %s\n", to.toChars()); MATCH m = Type.implicitConvTo(to); if (m != MATCH.nomatch) return m; // NULL implicitly converts to any pointer type or dynamic array //if (type.ty == Tpointer && type.nextOf().ty == Tvoid) { Type tb = to.toBasetype(); if (tb.ty == Tnull || tb.ty == Tpointer || tb.ty == Tarray || tb.ty == Taarray || tb.ty == Tclass || tb.ty == Tdelegate) return MATCH.constant; } return MATCH.nomatch; } override bool hasPointers() { /* Although null isn't dereferencable, treat it as a pointer type for * attribute inference, generic code, etc. */ return true; } override bool isBoolean() { return true; } override uinteger_t size(const ref Loc loc) { return tvoidptr.size(loc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TypeNoreturn : Type { extern (D) this() { //printf("TypeNoreturn %p\n", this); super(Tnoreturn); } override const(char)* kind() const { return "noreturn"; } override TypeNoreturn syntaxCopy() { // No semantic analysis done, no need to copy return this; } override MATCH implicitConvTo(Type to) { //printf("TypeNoreturn::implicitConvTo(this=%p, to=%p)\n", this, to); //printf("from: %s\n", toChars()); //printf("to : %s\n", to.toChars()); if (this.equals(to)) return MATCH.exact; // Different qualifiers? if (to.ty == Tnoreturn) return MATCH.constant; // Implicitly convertible to any type return MATCH.convert; } override MATCH constConv(Type to) { // Either another noreturn or conversion to any type return this.implicitConvTo(to); } override bool isBoolean() { return true; // bottom type can be implicitly converted to any other type } override uinteger_t size(const ref Loc loc) { return 0; } override uint alignsize() { return 0; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Unlike D, C can declare/define struct/union/enum tag names * inside Declarators, instead of separately as in D. * The order these appear in the symbol table must be in lexical * order. There isn't enough info at the parsing stage to determine if * it's a declaration or a reference to an existing name, so this Type * collects the necessary info and defers it to semantic(). */ extern (C++) final class TypeTag : Type { Loc loc; /// location of declaration TOK tok; /// TOK.struct_, TOK.union_, TOK.enum_ structalign_t packalign; /// alignment of struct/union fields Identifier id; /// tag name identifier Type base; /// base type for enums otherwise null Dsymbols* members; /// members of struct, null if none Type resolved; /// type after semantic() in case there are more others /// pointing to this instance, which can happen with /// struct S { int a; } s1, *s2; MOD mod; /// modifiers to apply after type is resolved (only MODFlags.const_ at the moment) extern (D) this(const ref Loc loc, TOK tok, Identifier id, structalign_t packalign, Type base, Dsymbols* members) { //printf("TypeTag ctor %s %p\n", id ? id.toChars() : "null".ptr, this); super(Ttag); this.loc = loc; this.tok = tok; this.id = id; this.packalign = packalign; this.base = base; this.members = members; this.mod = 0; } override const(char)* kind() const { return "tag"; } override TypeTag syntaxCopy() { //printf("TypeTag syntaxCopy()\n"); // No semantic analysis done, no need to copy return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Represents a function's formal parameters + variadics info. * Length, indexing and iteration are based on a depth-first tuple expansion. * https://dlang.org/spec/function.html#ParameterList */ extern (C++) struct ParameterList { /// The raw (unexpanded) formal parameters, possibly containing tuples. Parameters* parameters; StorageClass stc; // storage class of ... VarArg varargs = VarArg.none; bool hasIdentifierList; // true if C identifier-list style this(Parameters* parameters, VarArg varargs = VarArg.none, StorageClass stc = 0) { this.parameters = parameters; this.varargs = varargs; this.stc = stc; } /// Returns the number of expanded parameters. Complexity: O(N). size_t length() { return Parameter.dim(parameters); } /// Returns the expanded parameter at the given index, or null if out of /// bounds. Complexity: O(i). Parameter opIndex(size_t i) { return Parameter.getNth(parameters, i); } /// Iterates over the expanded parameters. Complexity: O(N). /// Prefer this to avoid the O(N + N^2/2) complexity of calculating length /// and calling N times opIndex. extern (D) int opApply(scope Parameter.ForeachDg dg) { return Parameter._foreach(parameters, dg); } /// Iterates over the expanded parameters, matching them with the unexpanded /// ones, for semantic processing extern (D) int opApply(scope Parameter.SemanticForeachDg dg) { return Parameter._foreach(this.parameters, dg); } extern (D) ParameterList syntaxCopy() { return ParameterList(Parameter.arraySyntaxCopy(parameters), varargs); } /// Compares this to another ParameterList (and expands tuples if necessary) extern (D) bool opEquals(scope ref ParameterList other) const { if (stc != other.stc || varargs != other.varargs || (!parameters != !other.parameters)) return false; if (this.parameters is other.parameters) return true; size_t idx; bool diff; // Pairwise compare each parameter // Can this avoid the O(n) indexing for the second list? foreach (_, p1; cast() this) { auto p2 = other[idx++]; if (!p2 || p1 != p2) { diff = true; break; } } // Ensure no remaining parameters in `other` return !diff && other[idx] is null; } /// Returns: `true` if any parameter has a default argument extern(D) bool hasDefaultArgs() { foreach (oidx, oparam, eidx, eparam; this) { if (eparam.defaultArg) return true; } return false; } // Returns: `true` if any parameter doesn't have a default argument extern(D) bool hasArgsWithoutDefault() { foreach (oidx, oparam, eidx, eparam; this) { if (!eparam.defaultArg) return true; } return false; } } /*********************************************************** */ extern (C++) final class Parameter : ASTNode { import dmd.attrib : UserAttributeDeclaration; StorageClass storageClass; Type type; Identifier ident; Expression defaultArg; UserAttributeDeclaration userAttribDecl; // user defined attributes extern (D) this(StorageClass storageClass, Type type, Identifier ident, Expression defaultArg, UserAttributeDeclaration userAttribDecl) { this.type = type; this.ident = ident; this.storageClass = storageClass; this.defaultArg = defaultArg; this.userAttribDecl = userAttribDecl; } static Parameter create(StorageClass storageClass, Type type, Identifier ident, Expression defaultArg, UserAttributeDeclaration userAttribDecl) { return new Parameter(storageClass, type, ident, defaultArg, userAttribDecl); } Parameter syntaxCopy() { return new Parameter(storageClass, type ? type.syntaxCopy() : null, ident, defaultArg ? defaultArg.syntaxCopy() : null, userAttribDecl ? userAttribDecl.syntaxCopy(null) : null); } /**************************************************** * Determine if parameter is a lazy array of delegates. * If so, return the return type of those delegates. * If not, return NULL. * * Returns T if the type is one of the following forms: * T delegate()[] * T delegate()[dim] */ Type isLazyArray() { Type tb = type.toBasetype(); if (tb.ty == Tsarray || tb.ty == Tarray) { Type tel = (cast(TypeArray)tb).next.toBasetype(); if (auto td = tel.isTypeDelegate()) { TypeFunction tf = td.next.toTypeFunction(); if (tf.parameterList.varargs == VarArg.none && tf.parameterList.length == 0) { return tf.next; // return type of delegate } } } return null; } /// Returns: Whether the function parameter is lazy bool isLazy() const @safe pure nothrow @nogc { return (this.storageClass & (STC.lazy_)) != 0; } /// Returns: Whether the function parameter is a reference (out / ref) bool isReference() const @safe pure nothrow @nogc { return (this.storageClass & (STC.ref_ | STC.out_)) != 0; } // kludge for template.isType() override DYNCAST dyncast() const { return DYNCAST.parameter; } override void accept(Visitor v) { v.visit(this); } extern (D) static Parameters* arraySyntaxCopy(Parameters* parameters) { Parameters* params = null; if (parameters) { params = new Parameters(parameters.length); for (size_t i = 0; i < params.length; i++) (*params)[i] = (*parameters)[i].syntaxCopy(); } return params; } /*************************************** * Determine number of arguments, folding in tuples. */ static size_t dim(Parameters* parameters) { size_t nargs = 0; int dimDg(size_t n, Parameter p) { ++nargs; return 0; } _foreach(parameters, &dimDg); return nargs; } /** * Get nth `Parameter`, folding in tuples. * * Since `parameters` can include tuples, which would increase its * length, this function allows to get the `nth` parameter as if * all tuples transitively contained in `parameters` were flattened. * * Params: * parameters = Array of `Parameter` to iterate over * nth = Index of the desired parameter. * * Returns: * The parameter at index `nth` (taking tuples into account), * or `null` if out of bound. */ static Parameter getNth(Parameters* parameters, size_t nth) { Parameter param; int getNthParamDg(size_t n, Parameter p) { if (n == nth) { param = p; return 1; } return 0; } int res = _foreach(parameters, &getNthParamDg); return res ? param : null; } /// Type of delegate when iterating solely on the parameters alias ForeachDg = extern (D) int delegate(size_t paramidx, Parameter param); /// Type of delegate when iterating on both the original set of parameters, /// and the type tuple. Useful for semantic analysis. /// 'o' stands for 'original' and 'e' stands for 'expanded'. alias SemanticForeachDg = extern (D) int delegate( size_t oidx, Parameter oparam, size_t eidx, Parameter eparam); /*************************************** * Expands tuples in args in depth first order. Calls * dg(void *ctx, size_t argidx, Parameter *arg) for each Parameter. * If dg returns !=0, stops and returns that value else returns 0. * Use this function to avoid the O(N + N^2/2) complexity of * calculating dim and calling N times getNth. */ extern (D) static int _foreach(Parameters* parameters, scope ForeachDg dg) { assert(dg !is null); return _foreach(parameters, (_oidx, _oparam, idx, param) => dg(idx, param)); } /// Ditto extern (D) static int _foreach( Parameters* parameters, scope SemanticForeachDg dg) { assert(dg !is null); if (parameters is null) return 0; size_t eidx; foreach (oidx; 0 .. parameters.length) { Parameter oparam = (*parameters)[oidx]; if (auto r = _foreachImpl(dg, oidx, oparam, eidx, /* eparam */ oparam)) return r; } return 0; } /// Implementation of the iteration process, which recurses in itself /// and just forwards `oidx` and `oparam`. extern (D) private static int _foreachImpl(scope SemanticForeachDg dg, size_t oidx, Parameter oparam, ref size_t eidx, Parameter eparam) { if (eparam is null) return 0; Type t = eparam.type.toBasetype(); if (auto tu = t.isTypeTuple()) { // Check for empty tuples if (tu.arguments is null) return 0; foreach (nidx; 0 .. tu.arguments.length) { Parameter nextep = (*tu.arguments)[nidx]; if (auto r = _foreachImpl(dg, oidx, oparam, eidx, nextep)) return r; } } else { if (auto r = dg(oidx, oparam, eidx, eparam)) return r; // The only place where we should increment eidx is here, // as a TypeTuple doesn't count as a parameter (for arity) // it it is empty. eidx++; } return 0; } override const(char)* toChars() const { return ident ? ident.toChars() : "__anonymous_param"; } /********************************* * Compute covariance of parameters `this` and `p` * as determined by the storage classes of both. * * Params: * returnByRef = true if the function returns by ref * p = Parameter to compare with * previewIn = Whether `-preview=in` is being used, and thus if * `in` means `scope [ref]`. * * Returns: * true = `this` can be used in place of `p` * false = nope */ bool isCovariant(bool returnByRef, const Parameter p, bool previewIn = global.params.previewIn) const pure nothrow @nogc @safe { ulong thisSTC = this.storageClass; ulong otherSTC = p.storageClass; if (previewIn) { if (thisSTC & STC.in_) thisSTC |= STC.scope_; if (otherSTC & STC.in_) otherSTC |= STC.scope_; } const mask = STC.ref_ | STC.out_ | STC.lazy_ | (previewIn ? STC.in_ : 0); if ((thisSTC & mask) != (otherSTC & mask)) return false; return isCovariantScope(returnByRef, thisSTC, otherSTC); } extern (D) private static bool isCovariantScope(bool returnByRef, StorageClass from, StorageClass to) pure nothrow @nogc @safe { // Workaround for failing covariance when finding a common type of delegates, // some of which have parameters with inferred scope // https://issues.dlang.org/show_bug.cgi?id=21285 // The root cause is that scopeinferred is not part of the mangle, and mangle // is used for type equality checks if (to & STC.returninferred) to &= ~STC.return_; // note: f(return int* x) currently 'infers' scope without inferring `return`, in that case keep STC.scope if (to & STC.scopeinferred && !(to & STC.return_)) to &= ~STC.scope_; if (from == to) return true; /* result is true if the 'from' can be used as a 'to' */ if ((from ^ to) & STC.ref_) // differing in 'ref' means no covariance return false; /* workaround until we get STC.returnScope reliably set correctly */ if (returnByRef) { from &= ~STC.returnScope; to &= ~STC.returnScope; } else { from |= STC.returnScope; to |= STC.returnScope; } return covariant[buildScopeRef(from)][buildScopeRef(to)]; } extern (D) private static bool[ScopeRef.max + 1][ScopeRef.max + 1] covariantInit() pure nothrow @nogc @safe { /* Initialize covariant[][] with this: From\To n rs s None X ReturnScope X X Scope X X X From\To r rr rs rr-s r-rs Ref X X ReturnRef X RefScope X X X X X ReturnRef-Scope X X Ref-ReturnScope X X X */ bool[ScopeRef.max + 1][ScopeRef.max + 1] covariant; foreach (i; 0 .. ScopeRef.max + 1) { covariant[i][i] = true; covariant[ScopeRef.RefScope][i] = true; } covariant[ScopeRef.ReturnScope][ScopeRef.None] = true; covariant[ScopeRef.Scope ][ScopeRef.None] = true; covariant[ScopeRef.Scope ][ScopeRef.ReturnScope] = true; covariant[ScopeRef.Ref ][ScopeRef.ReturnRef] = true; covariant[ScopeRef.ReturnRef_Scope][ScopeRef.ReturnRef] = true; covariant[ScopeRef.Ref_ReturnScope][ScopeRef.Ref ] = true; covariant[ScopeRef.Ref_ReturnScope][ScopeRef.ReturnRef] = true; return covariant; } extern (D) private static immutable bool[ScopeRef.max + 1][ScopeRef.max + 1] covariant = covariantInit(); extern (D) bool opEquals(const Parameter other) const { return this.storageClass == other.storageClass && this.type == other.type; } } /************************************************************* * For printing two types with qualification when necessary. * Params: * t1 = The first type to receive the type name for * t2 = The second type to receive the type name for * Returns: * The fully-qualified names of both types if the two type names are not the same, * or the unqualified names of both types if the two type names are the same. */ const(char*)[2] toAutoQualChars(Type t1, Type t2) { auto s1 = t1.toChars(); auto s2 = t2.toChars(); // show qualification only if it's different if (!t1.equals(t2) && strcmp(s1, s2) == 0) { s1 = t1.toPrettyChars(true); s2 = t2.toPrettyChars(true); } return [s1, s2]; } /** * For each active modifier (MODFlags.const_, MODFlags.immutable_, etc) call `fp` with a * void* for the work param and a string representation of the attribute. */ void modifiersApply(const TypeFunction tf, void delegate(string) dg) { immutable ubyte[4] modsArr = [MODFlags.const_, MODFlags.immutable_, MODFlags.wild, MODFlags.shared_]; foreach (modsarr; modsArr) { if (tf.mod & modsarr) { dg(MODtoString(modsarr)); } } } /** * For each active attribute (ref/const/nogc/etc) call `fp` with a void* for the * work param and a string representation of the attribute. */ void attributesApply(const TypeFunction tf, void delegate(string) dg, TRUSTformat trustFormat = TRUSTformatDefault) { if (tf.purity) dg("pure"); if (tf.isnothrow) dg("nothrow"); if (tf.isnogc) dg("@nogc"); if (tf.isproperty) dg("@property"); if (tf.isref) dg("ref"); if (tf.isreturn && !tf.isreturninferred) dg("return"); if (tf.isScopeQual && !tf.isscopeinferred) dg("scope"); if (tf.islive) dg("@live"); TRUST trustAttrib = tf.trust; if (trustAttrib == TRUST.default_) { if (trustFormat != TRUSTformatSystem) return; trustAttrib = TRUST.system; // avoid calling with an empty string } dg(trustToString(trustAttrib)); } /** * If the type is a class or struct, returns the symbol for it, * else null. */ extern (C++) AggregateDeclaration isAggregate(Type t) { t = t.toBasetype(); if (t.ty == Tclass) return (cast(TypeClass)t).sym; if (t.ty == Tstruct) return (cast(TypeStruct)t).sym; return null; } /*************************************************** * Determine if type t can be indexed or sliced given that it is not an * aggregate with operator overloads. * Params: * t = type to check * Returns: * true if an expression of type t can be e1 in an array expression */ bool isIndexableNonAggregate(Type t) { t = t.toBasetype(); return (t.ty == Tpointer || t.ty == Tsarray || t.ty == Tarray || t.ty == Taarray || t.ty == Ttuple || t.ty == Tvector); } /*************************************************** * Determine if type t is copyable. * Params: * t = type to check * Returns: * true if we can copy it */ bool isCopyable(Type t) { //printf("isCopyable() %s\n", t.toChars()); if (auto ts = t.isTypeStruct()) { if (ts.sym.postblit && ts.sym.postblit.storage_class & STC.disable) return false; if (ts.sym.hasCopyCtor) { // check if there is a matching overload of the copy constructor and whether it is disabled or not // `assert(ctor)` fails on Win32 and Win_32_64. See: https://auto-tester.puremagic.com/pull-history.ghtml?projectid=1&repoid=1&pullid=10575 Dsymbol ctor = search_function(ts.sym, Id.ctor); assert(ctor); scope el = new IdentifierExp(Loc.initial, Id.p); // dummy lvalue el.type = cast() ts; Expressions args; args.push(el); FuncDeclaration f = resolveFuncCall(Loc.initial, null, ctor, null, cast()ts, ArgumentList(&args), FuncResolveFlag.quiet); if (!f || f.storage_class & STC.disable) return false; } } return true; } /*************************************** * Computes how a parameter may be returned. * Shrinking the representation is necessary because StorageClass is so wide * Params: * stc = storage class of parameter * Returns: * value from enum ScopeRef */ ScopeRef buildScopeRef(StorageClass stc) pure nothrow @nogc @safe { if (stc & STC.out_) stc |= STC.ref_; // treat `out` and `ref` the same ScopeRef result; final switch (stc & (STC.ref_ | STC.scope_ | STC.return_)) { case 0: result = ScopeRef.None; break; /* can occur in case test/compilable/testsctreturn.d * related to https://issues.dlang.org/show_bug.cgi?id=20149 * where inout adds `return` without `scope` or `ref` */ case STC.return_: result = ScopeRef.Return; break; case STC.ref_: result = ScopeRef.Ref; break; case STC.scope_: result = ScopeRef.Scope; break; case STC.return_ | STC.ref_: result = ScopeRef.ReturnRef; break; case STC.return_ | STC.scope_: result = ScopeRef.ReturnScope; break; case STC.ref_ | STC.scope_: result = ScopeRef.RefScope; break; case STC.return_ | STC.ref_ | STC.scope_: result = stc & STC.returnScope ? ScopeRef.Ref_ReturnScope : ScopeRef.ReturnRef_Scope; break; } return result; } /** * Classification of 'scope-return-ref' possibilities */ enum ScopeRef { None, Scope, ReturnScope, Ref, ReturnRef, RefScope, ReturnRef_Scope, Ref_ReturnScope, Return, } /********************************* * Give us a nice string for debugging purposes. * Params: * sr = value * Returns: * corresponding string */ const(char)* toChars(ScopeRef sr) pure nothrow @nogc @safe { with (ScopeRef) { static immutable char*[ScopeRef.max + 1] names = [ None: "None", Scope: "Scope", ReturnScope: "ReturnScope", Ref: "Ref", ReturnRef: "ReturnRef", RefScope: "RefScope", ReturnRef_Scope: "ReturnRef_Scope", Ref_ReturnScope: "Ref_ReturnScope", Return: "Return", ]; return names[sr]; } } /** * Used by `callMatch` to check if the copy constructor may be called to * copy the argument * * This is done by seeing if a call to the copy constructor can be made: * ``` * typeof(tprm) __copytmp; * copytmp.__copyCtor(arg); * ``` */ private extern(D) bool isCopyConstructorCallable (StructDeclaration argStruct, Expression arg, Type tprm, Scope* sc, const(char)** pMessage) { auto tmp = new VarDeclaration(arg.loc, tprm, Identifier.generateId("__copytmp"), null); tmp.storage_class = STC.rvalue | STC.temp | STC.ctfe; tmp.dsymbolSemantic(sc); Expression ve = new VarExp(arg.loc, tmp); Expression e = new DotIdExp(arg.loc, ve, Id.ctor); e = new CallExp(arg.loc, e, arg); //printf("e = %s\n", e.toChars()); if (.trySemantic(e, sc)) return true; if (pMessage) { /* https://issues.dlang.org/show_bug.cgi?id=22202 * * If a function was deduced by semantic on the CallExp, * it means that resolveFuncCall completed succesfully. * Therefore, there exists a callable copy constructor, * however, it cannot be called because scope constraints * such as purity, safety or nogc. */ OutBuffer buf; auto callExp = e.isCallExp(); if (auto f = callExp.f) { char[] s; if (!f.isPure && sc.func.setImpure()) s ~= "pure "; if (!f.isSafe() && !f.isTrusted() && sc.setUnsafe()) s ~= "@safe "; if (!f.isNogc && sc.func.setGC(arg.loc, null)) s ~= "nogc "; if (s) { s[$-1] = '\0'; buf.printf("`%s` copy constructor cannot be called from a `%s` context", f.type.toChars(), s.ptr); } else if (f.isGenerated() && f.isDisabled()) { /* https://issues.dlang.org/show_bug.cgi?id=23097 * Compiler generated copy constructor failed. */ buf.printf("generating a copy constructor for `struct %s` failed, therefore instances of it are uncopyable", argStruct.toChars()); } else { /* Although a copy constructor may exist, no suitable match was found. * i.e: `inout` constructor creates `const` object, not mutable. * Fallback to using the original generic error before bugzilla 22202. */ goto Lnocpctor; } } else { Lnocpctor: buf.printf("`struct %s` does not define a copy constructor for `%s` to `%s` copies", argStruct.toChars(), arg.type.toChars(), tprm.toChars()); } *pMessage = buf.extractChars(); } return false; } /** * Match a single parameter to an argument. * * This function is called by `TypeFunction.callMatch` while iterating over * the list of parameter. Here we check if `arg` is a match for `p`, * which is mostly about checking if `arg.type` converts to `p`'s type * and some check about value reference. * * Params: * tf = The `TypeFunction`, only used for error reporting * p = The parameter of `tf` being matched * arg = Argument being passed (bound) to `p` * wildmatch = Wild (`inout`) matching level, derived from the full argument list * flag = A non-zero value means we're doing a partial ordering check * (no value semantic check) * sc = Scope we are in * pMessage = A buffer to write the error in, or `null` * * Returns: Whether `trailingArgs` match `p`. */ private extern(D) MATCH argumentMatchParameter (TypeFunction tf, Parameter p, Expression arg, ubyte wildmatch, int flag, Scope* sc, const(char)** pMessage) { //printf("arg: %s, type: %s\n", arg.toChars(), arg.type.toChars()); MATCH m; Type targ = arg.type; Type tprm = wildmatch ? p.type.substWildTo(wildmatch) : p.type; if (p.isLazy() && tprm.ty == Tvoid && targ.ty != Tvoid) m = MATCH.convert; else if (flag) { // for partial ordering, value is an irrelevant mockup, just look at the type m = targ.implicitConvTo(tprm); } else { const isRef = p.isReference(); StructDeclaration argStruct, prmStruct; // first look for a copy constructor if (arg.isLvalue() && !isRef && targ.ty == Tstruct && tprm.ty == Tstruct) { // if the argument and the parameter are of the same unqualified struct type argStruct = (cast(TypeStruct)targ).sym; prmStruct = (cast(TypeStruct)tprm).sym; } // check if the copy constructor may be called to copy the argument if (argStruct && argStruct == prmStruct && argStruct.hasCopyCtor) { if (!isCopyConstructorCallable(argStruct, arg, tprm, sc, pMessage)) return MATCH.nomatch; m = MATCH.exact; } else { import dmd.dcast : cimplicitConvTo; m = (sc && sc.flags & SCOPE.Cfile) ? arg.cimplicitConvTo(tprm) : arg.implicitConvTo(tprm); } } // Non-lvalues do not match ref or out parameters if (p.isReference()) { // https://issues.dlang.org/show_bug.cgi?id=13783 // Don't use toBasetype() to handle enum types. Type ta = targ; Type tp = tprm; //printf("fparam[%d] ta = %s, tp = %s\n", u, ta.toChars(), tp.toChars()); if (m && !arg.isLvalue()) { if (p.storageClass & STC.out_) { if (pMessage) *pMessage = tf.getParamError(arg, p); return MATCH.nomatch; } if (arg.op == EXP.string_ && tp.ty == Tsarray) { if (ta.ty != Tsarray) { Type tn = tp.nextOf().castMod(ta.nextOf().mod); dinteger_t dim = (cast(StringExp)arg).len; ta = tn.sarrayOf(dim); } } else if (arg.op == EXP.slice && tp.ty == Tsarray) { // Allow conversion from T[lwr .. upr] to ref T[upr-lwr] if (ta.ty != Tsarray) { Type tn = ta.nextOf(); dinteger_t dim = (cast(TypeSArray)tp).dim.toUInteger(); ta = tn.sarrayOf(dim); } } else if ((p.storageClass & STC.in_) && global.params.previewIn) { // Allow converting a literal to an `in` which is `ref` if (arg.op == EXP.arrayLiteral && tp.ty == Tsarray) { Type tn = tp.nextOf(); dinteger_t dim = (cast(TypeSArray)tp).dim.toUInteger(); ta = tn.sarrayOf(dim); } // Need to make this a rvalue through a temporary m = MATCH.convert; } else if (global.params.rvalueRefParam != FeatureState.enabled || p.storageClass & STC.out_ || !arg.type.isCopyable()) // can't copy to temp for ref parameter { if (pMessage) *pMessage = tf.getParamError(arg, p); return MATCH.nomatch; } else { /* in functionParameters() we'll convert this * rvalue into a temporary */ m = MATCH.convert; } } /* If the match is not already perfect or if the arg is not a lvalue then try the `alias this` chain see https://issues.dlang.org/show_bug.cgi?id=15674 and https://issues.dlang.org/show_bug.cgi?id=21905 */ if (ta != tp || !arg.isLvalue()) { Type firsttab = ta.toBasetype(); while (1) { Type tab = ta.toBasetype(); Type tat = tab.aliasthisOf(); if (!tat || !tat.implicitConvTo(tprm)) break; if (tat == tab || tat == firsttab) break; ta = tat; } } /* A ref variable should work like a head-const reference. * e.g. disallows: * ref T <- an lvalue of const(T) argument * ref T[dim] <- an lvalue of const(T[dim]) argument */ if (!ta.constConv(tp)) { if (pMessage) *pMessage = tf.getParamError(arg, p); return MATCH.nomatch; } } return m; } /** * Match the remaining arguments `trailingArgs` with parameter `p`. * * Assume we already checked that `p` is the last parameter of `tf`, * and we want to know whether the arguments would match `p`. * * Params: * tf = The `TypeFunction`, only used for error reporting * p = The last parameter of `tf` which is variadic * trailingArgs = The remaining arguments that should match `p` * pMessage = A buffer to write the error in, or `null` * * Returns: Whether `trailingArgs` match `p`. */ private extern(D) MATCH matchTypeSafeVarArgs(TypeFunction tf, Parameter p, Expression[] trailingArgs, const(char)** pMessage) { Type tb = p.type.toBasetype(); switch (tb.ty) { case Tsarray: TypeSArray tsa = cast(TypeSArray)tb; dinteger_t sz = tsa.dim.toInteger(); if (sz != trailingArgs.length) { if (pMessage) *pMessage = tf.getMatchError("expected %llu variadic argument(s), not %zu", sz, trailingArgs.length); return MATCH.nomatch; } goto case Tarray; case Tarray: { MATCH match = MATCH.exact; TypeArray ta = cast(TypeArray)tb; foreach (arg; trailingArgs) { MATCH m; assert(arg); /* If lazy array of delegates, * convert arg(s) to delegate(s) */ Type tret = p.isLazyArray(); if (tret) { if (ta.next.equals(arg.type)) m = MATCH.exact; else if (tret.toBasetype().ty == Tvoid) m = MATCH.convert; else { m = arg.implicitConvTo(tret); if (m == MATCH.nomatch) m = arg.implicitConvTo(ta.next); } } else m = arg.implicitConvTo(ta.next); if (m == MATCH.nomatch) { if (pMessage) *pMessage = tf.getParamError(arg, p); return MATCH.nomatch; } if (m < match) match = m; } return match; } case Tclass: // We leave it up to the actual constructor call to do the matching. return MATCH.exact; default: // We can have things as `foo(int[int] wat...)` but they only match // with an associative array proper. if (pMessage && trailingArgs.length) *pMessage = tf.getParamError(trailingArgs[0], p); return MATCH.nomatch; } } /** * Creates an appropriate vector type for `tv` that will hold one boolean * result for each element of the vector type. The result of vector comparisons * is a single or doubleword mask of all 1s (comparison true) or all 0s * (comparison false). This SIMD mask type does not have an equivalent D type, * however its closest equivalent would be an integer vector of the same unit * size and length. * * Params: * tv = The `TypeVector` to build a vector from. * Returns: * A vector type suitable for the result of a vector comparison operation. */ TypeVector toBooleanVector(TypeVector tv) { Type telem = tv.elementType(); switch (telem.ty) { case Tvoid: case Tint8: case Tuns8: case Tint16: case Tuns16: case Tint32: case Tuns32: case Tint64: case Tuns64: // No need to build an equivalent mask type. return tv; case Tfloat32: telem = Type.tuns32; break; case Tfloat64: telem = Type.tuns64; break; default: assert(0); } TypeSArray tsa = tv.basetype.isTypeSArray(); assert(tsa !is null); return new TypeVector(new TypeSArray(telem, tsa.dim)); } /************************************************* * Dispatch to function based on static type of Type. */ mixin template VisitType(Result) { Result VisitType(Type t) { final switch (t.ty) { case TY.Tvoid: case TY.Tint8: case TY.Tuns8: case TY.Tint16: case TY.Tuns16: case TY.Tint32: case TY.Tuns32: case TY.Tint64: case TY.Tuns64: case TY.Tfloat32: case TY.Tfloat64: case TY.Tfloat80: case TY.Timaginary32: case TY.Timaginary64: case TY.Timaginary80: case TY.Tcomplex32: case TY.Tcomplex64: case TY.Tcomplex80: case TY.Tbool: case TY.Tchar: case TY.Twchar: case TY.Tdchar: case TY.Tint128: case TY.Tuns128: mixin(visitTYCase("Basic")); case TY.Tarray: mixin(visitTYCase("DArray")); case TY.Tsarray: mixin(visitTYCase("SArray")); case TY.Taarray: mixin(visitTYCase("AArray")); case TY.Tpointer: mixin(visitTYCase("Pointer")); case TY.Treference: mixin(visitTYCase("Reference")); case TY.Tfunction: mixin(visitTYCase("Function")); case TY.Tident: mixin(visitTYCase("Identifier")); case TY.Tclass: mixin(visitTYCase("Class")); case TY.Tstruct: mixin(visitTYCase("Struct")); case TY.Tenum: mixin(visitTYCase("Enum")); case TY.Tdelegate: mixin(visitTYCase("Delegate")); case TY.Terror: mixin(visitTYCase("Error")); case TY.Tinstance: mixin(visitTYCase("Instance")); case TY.Ttypeof: mixin(visitTYCase("Typeof")); case TY.Ttuple: mixin(visitTYCase("Tuple")); case TY.Tslice: mixin(visitTYCase("Slice")); case TY.Treturn: mixin(visitTYCase("Return")); case TY.Tnull: mixin(visitTYCase("Null")); case TY.Tvector: mixin(visitTYCase("Vector")); case TY.Ttraits: mixin(visitTYCase("Traits")); case TY.Tmixin: mixin(visitTYCase("Mixin")); case TY.Tnoreturn: mixin(visitTYCase("Noreturn")); case TY.Ttag: mixin(visitTYCase("Tag")); case TY.Tnone: assert(0); } } } /**************************************** * CTFE-only helper function for VisitInitializer. * Params: * handler = string for the name of the visit handler * Returns: boilerplate code for a case */ pure string visitTYCase(string handler) { if (__ctfe) { return " enum isVoid = is(Result == void); auto tx = t.isType"~handler~"(); static if (__traits(compiles, visit"~handler~"(tx))) { static if (isVoid) { visit"~handler~"(tx); return; } else { if (Result r = visit"~handler~"(tx)) return r; return Result.init; } } else static if (__traits(compiles, visitDefaultCase(t))) { static if (isVoid) { visitDefaultCase(tx); return; } else { if (Result r = visitDefaultCase(t)) return r; return Result.init; } } else static assert(0, "~handler~"); "; } assert(0); }
D
a lateen-rigged sailing vessel used by Arabs
D
/// module std.experimental.logger.filelogger; import std.experimental.logger.core; import std.stdio; import std.typecons : Flag; /** An option to create $(LREF FileLogger) directory if it is non-existent. */ alias CreateFolder = Flag!"CreateFolder"; /** This $(D Logger) implementation writes log messages to the associated file. The name of the file has to be passed on construction time. If the file is already present new log messages will be append at its end. */ class FileLogger : Logger { import std.concurrency : Tid; import std.datetime.systime : SysTime; import std.format : formattedWrite; /** A constructor for the $(D FileLogger) Logger. Params: fn = The filename of the output file of the $(D FileLogger). If that file can not be opened for writting an exception will be thrown. lv = The $(D LogLevel) for the $(D FileLogger). By default the Example: ------------- auto l1 = new FileLogger("logFile"); auto l2 = new FileLogger("logFile", LogLevel.fatal); auto l3 = new FileLogger("logFile", LogLevel.fatal, CreateFolder.yes); ------------- */ this(in string fn, const LogLevel lv = LogLevel.all) @safe { this(fn, lv, CreateFolder.yes); } /** A constructor for the $(D FileLogger) Logger that takes a reference to a $(D File). The $(D File) passed must be open for all the log call to the $(D FileLogger). If the $(D File) gets closed, using the $(D FileLogger) for logging will result in undefined behaviour. Params: fn = The file used for logging. lv = The $(D LogLevel) for the $(D FileLogger). By default the $(D LogLevel) for $(D FileLogger) is $(D LogLevel.all). createFileNameFolder = if yes and fn contains a folder name, this folder will be created. Example: ------------- auto file = File("logFile.log", "w"); auto l1 = new FileLogger(file); auto l2 = new FileLogger(file, LogLevel.fatal); ------------- */ this(in string fn, const LogLevel lv, CreateFolder createFileNameFolder) @safe { import std.file : exists, mkdirRecurse; import std.path : dirName; import std.conv : text; super(lv); this.filename = fn; if (createFileNameFolder) { auto d = dirName(this.filename); mkdirRecurse(d); assert(exists(d), text("The folder the FileLogger should have", " created in '", d,"' could not be created.")); } this.file_.open(this.filename, "a"); } /** A constructor for the $(D FileLogger) Logger that takes a reference to a $(D File). The $(D File) passed must be open for all the log call to the $(D FileLogger). If the $(D File) gets closed, using the $(D FileLogger) for logging will result in undefined behaviour. Params: file = The file used for logging. lv = The $(D LogLevel) for the $(D FileLogger). By default the $(D LogLevel) for $(D FileLogger) is $(D LogLevel.all). Example: ------------- auto file = File("logFile.log", "w"); auto l1 = new FileLogger(file); auto l2 = new FileLogger(file, LogLevel.fatal); ------------- */ this(File file, const LogLevel lv = LogLevel.all) @safe { super(lv); this.file_ = file; } /** If the $(D FileLogger) is managing the $(D File) it logs to, this method will return a reference to this File. */ @property File file() @safe { return this.file_; } /* This method overrides the base class method in order to log to a file without requiring heap allocated memory. Additionally, the $(D FileLogger) local mutex is logged to serialize the log calls. */ override protected void beginLogMsg(string file, int line, string funcName, string prettyFuncName, string moduleName, LogLevel logLevel, Tid threadId, SysTime timestamp, Logger logger) @safe { import std.string : lastIndexOf; ptrdiff_t fnIdx = file.lastIndexOf('/') + 1; ptrdiff_t funIdx = funcName.lastIndexOf('.') + 1; auto lt = this.file_.lockingTextWriter(); systimeToISOString(lt, timestamp); formattedWrite(lt, ":%s:%s:%u ", file[fnIdx .. $], funcName[funIdx .. $], line); } /* This methods overrides the base class method and writes the parts of the log call directly to the file. */ override protected void logMsgPart(const(char)[] msg) { formattedWrite(this.file_.lockingTextWriter(), "%s", msg); } /* This methods overrides the base class method and finalizes the active log call. This requires flushing the $(D File) and releasing the $(D FileLogger) local mutex. */ override protected void finishLogMsg() { this.file_.lockingTextWriter().put("\n"); this.file_.flush(); } /* This methods overrides the base class method and delegates the $(D LogEntry) data to the actual implementation. */ override protected void writeLogMsg(ref LogEntry payload) { this.beginLogMsg(payload.file, payload.line, payload.funcName, payload.prettyFuncName, payload.moduleName, payload.logLevel, payload.threadId, payload.timestamp, payload.logger); this.logMsgPart(payload.msg); this.finishLogMsg(); } /** If the $(D FileLogger) was constructed with a filename, this method returns this filename. Otherwise an empty $(D string) is returned. */ string getFilename() { return this.filename; } /** The $(D File) log messages are written to. */ protected File file_; /** The filename of the $(D File) log messages are written to. */ protected string filename; } @system unittest { import std.array : empty; import std.file : deleteme, remove; import std.string : indexOf; string filename = deleteme ~ __FUNCTION__ ~ ".tempLogFile"; auto l = new FileLogger(filename); scope(exit) { remove(filename); } string notWritten = "this should not be written to file"; string written = "this should be written to file"; l.logLevel = LogLevel.critical; l.log(LogLevel.warning, notWritten); l.log(LogLevel.critical, written); destroy(l); auto file = File(filename, "r"); string readLine = file.readln(); assert(readLine.indexOf(written) != -1, readLine); readLine = file.readln(); assert(readLine.indexOf(notWritten) == -1, readLine); } @safe unittest { import std.file : rmdirRecurse, exists, deleteme; import std.path : dirName; const string tmpFolder = dirName(deleteme); const string filepath = tmpFolder ~ "/bug15771/minas/oops/"; const string filename = filepath ~ "output.txt"; assert(!exists(filepath)); auto f = new FileLogger(filename, LogLevel.all, CreateFolder.yes); scope(exit) () @trusted { rmdirRecurse(tmpFolder ~ "/bug15771"); }(); f.log("Hello World!"); assert(exists(filepath)); f.file.close(); } @system unittest { import std.array : empty; import std.file : deleteme, remove; import std.string : indexOf; string filename = deleteme ~ __FUNCTION__ ~ ".tempLogFile"; auto file = File(filename, "w"); auto l = new FileLogger(file); scope(exit) { remove(filename); } string notWritten = "this should not be written to file"; string written = "this should be written to file"; l.logLevel = LogLevel.critical; l.log(LogLevel.warning, notWritten); l.log(LogLevel.critical, written); file.close(); file = File(filename, "r"); string readLine = file.readln(); assert(readLine.indexOf(written) != -1, readLine); readLine = file.readln(); assert(readLine.indexOf(notWritten) == -1, readLine); file.close(); } @safe unittest { auto dl = cast(FileLogger) sharedLog; assert(dl !is null); assert(dl.logLevel == LogLevel.all); assert(globalLogLevel == LogLevel.all); auto tl = cast(StdForwardLogger) stdThreadLocalLog; assert(tl !is null); stdThreadLocalLog.logLevel = LogLevel.all; }
D