code
stringlengths
3
10M
language
stringclasses
31 values
module entities; import std.conv; import std.math; import std.range; import std.algorithm; import dtiled; import gfm.math; import entitysysd; import allegro5.allegro; import allegro5.allegro_color; import common; import weapon; import components; public: auto createPlayer(EntityManager em) { auto ent = em.create(); ent.register!Transform(vec2f(400, 400)); ent.register!Velocity(); ent.register!Sprite(SpriteRect.player); auto loadout = ent.register!Loadout; loadout.weapons[0] = new ChainGun(); loadout.weapons[1] = new SpreadGun(); //ent.register!Animator(0.1f, SpriteRect.player, animationOffset); //ent.register!UnitCollider(box2f(0, 0, 16, 16)); // 16x16 box return ent; } auto createEnemy(EntityManager em, vec2f pos) { auto ent = em.create(); ent.register!Transform(pos, vec2f(1, 1), PI); ent.register!Velocity(); ent.register!Sprite(SpriteRect.enemy); ent.register!Collider(vec2i(SpriteRect.enemy.width, SpriteRect.enemy.height)); return ent; }
D
/* Boost Software License - Version 1.0 - August 17th, 2003 Permission is hereby granted, free of charge, to any person or organization obtaining a copy of the software and accompanying documentation covered by this license ( the "Software" ) to use, reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative works of the Software, and to permit third-parties to whom the Software is furnished to do so, all subject to the following: The copyright notices in the Software and this entire statement, including the above license grant, this restriction and the following disclaimer, must be included in all copies of the Software, in whole or in part, and all derivative works of the Software, unless such copies or derivative works are solely in the form of machine-executable object code generated by a source language processor. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ module derelict.util.sharedlib; private { import std.string; import std.conv; import derelict.util.exception; import derelict.util.system; } static if( Derelict_OS_Posix ) { static if( Derelict_OS_Linux ) { private import std.c.linux.linux; } else { extern( C ) nothrow @nogc { /* From <dlfcn.h> * See http://www.opengroup.org/onlinepubs/007908799/xsh/dlsym.html */ const int RTLD_NOW = 2; void *dlopen( const( char )* file, int mode ); int dlclose( void* handle ); void *dlsym( void* handle, const( char* ) name ); const( char )* dlerror(); } } alias void* SharedLibHandle; private { SharedLibHandle LoadSharedLib( string libName ) { return dlopen( libName.toStringz(), RTLD_NOW ); } void UnloadSharedLib( SharedLibHandle hlib ) @nogc nothrow { dlclose( hlib ); } void* GetSymbol( SharedLibHandle hlib, string symbolName ) { return dlsym( hlib, symbolName.toStringz() ); } string GetErrorStr() @nogc { auto err = dlerror(); if( err is null ) return "Uknown Error"; return to!string( err ); } } } else static if( Derelict_OS_Windows ) { private import derelict.util.wintypes; alias HMODULE SharedLibHandle; private { SharedLibHandle LoadSharedLib( string libName ) { return LoadLibraryA( libName.toStringz() ); } void UnloadSharedLib( SharedLibHandle hlib ) @nogc nothrow { FreeLibrary( hlib ); } void* GetSymbol( SharedLibHandle hlib, string symbolName ) { return GetProcAddress( hlib, symbolName.toStringz() ); } string GetErrorStr() { import std.windows.syserror; return sysErrorString( GetLastError() ); } } } else { static assert( 0, "Derelict does not support this platform." ); } /++ Low-level wrapper of the even lower-level operating-specific shared library loading interface. While this interface can be used directly in applications, it is recommended to use the interface specified by derelict.util.loader.SharedLibLoader to implement bindings. SharedLib is designed to be the base of a higher-level loader, but can be used in a program if only a handful of functions need to be loaded from a given shared library. +/ struct SharedLib { private { string _name; SharedLibHandle _hlib; private MissingSymbolCallbackDg _onMissingSym; } public { /++ Finds and loads a shared library, using libNames to find the library on the file system. If multiple library names are specified in libNames, a SharedLibLoadException will only be thrown if all of the libraries fail to load. It will be the head of an exceptin chain containing one instance of the exception for each library that failed. Params: libNames = An array containing one or more shared library names, with one name per index. Throws: SharedLibLoadException if the shared library or one of its dependencies cannot be found on the file system. SymbolLoadException if an expected symbol is missing from the library. +/ void load( string[] names ) { if( isLoaded ) return; string[] failedLibs; string[] reasons; foreach( n; names ) { _hlib = LoadSharedLib( n ); if( _hlib !is null ) { _name = n; break; } failedLibs ~= n; reasons ~= GetErrorStr(); } if( !isLoaded ) { SharedLibLoadException.throwNew( failedLibs, reasons ); } } /++ Loads the symbol specified by symbolName from a shared library. Params: symbolName = The name of the symbol to load. doThrow = If true, a SymbolLoadException will be thrown if the symbol is missing. If false, no exception will be thrown and the ptr parameter will be set to null. Throws: SymbolLoadException if doThrow is true and a the symbol specified by funcName is missing from the shared library. +/ void* loadSymbol( string symbolName, bool doThrow = true ) { void* sym = GetSymbol( _hlib, symbolName ); if( doThrow && !sym ) { auto result = ShouldThrow.Yes; if( _onMissingSym !is null ) result = _onMissingSym( symbolName ); if( result == ShouldThrow.Yes ) throw new SymbolLoadException( _name, symbolName ); } return sym; } /++ Unloads the shared library from memory, invalidating all function pointers which were assigned a symbol by one of the load methods. +/ void unload() @nogc nothrow { if( isLoaded ) { UnloadSharedLib( _hlib ); _hlib = null; } } @property { /// Returns the name of the shared library. string name() @nogc nothrow { return _name; } /// Returns true if the shared library is currently loaded, false otherwise. bool isLoaded() @nogc nothrow { return ( _hlib !is null ); } /++ Sets the callback that will be called when an expected symbol is missing from the shared library. Params: callback = A delegate that returns a value of type derelict.util.exception.ShouldThrow and accepts a string as the sole parameter. +/ void missingSymbolCallback( MissingSymbolCallbackDg callback ) @nogc { _onMissingSym = callback; } /++ Sets the callback that will be called when an expected symbol is missing from the shared library. Params: callback = A pointer to a function that returns a value of type derelict.util.exception.ShouldThrow and accepts a string as the sole parameter. +/ void missingSymbolCallback( MissingSymbolCallbackFunc callback ) { ShouldThrow thunk( string symbolName ) { return callback( symbolName ); } _onMissingSym = &thunk; } } } }
D
// REQUIRED_ARGS: -d typedef int myint = 4; struct S { int i; union { int x = 2; int y; } int j = 3; myint k; } void main() { S s = S( 1, 5, 6 ); assert(s.i == 1); assert(s.x == 5); assert(s.y == 5); assert(s.j == 3); assert(s.k == 4); }
D
/Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileWeb.build/Protocols/OAuth2/OAuth2Error.swift.o : /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/AuthorizationCode.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Google.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/URLSession+Turnstile.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Facebook.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/WebMemoryRealm.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Token.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthEcho.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Error.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthDelegator.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthParameters.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Digits.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/Turnstile.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileCrypto.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileWeb.build/OAuth2Error~partial.swiftmodule : /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/AuthorizationCode.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Google.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/URLSession+Turnstile.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Facebook.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/WebMemoryRealm.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Token.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthEcho.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Error.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthDelegator.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthParameters.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Digits.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/Turnstile.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileCrypto.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileWeb.build/OAuth2Error~partial.swiftdoc : /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/AuthorizationCode.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Google.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/URLSession+Turnstile.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Facebook.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/WebMemoryRealm.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Token.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthEcho.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth2/OAuth2Error.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthDelegator.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/Protocols/OAuth/OAuthParameters.swift /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/checkouts/Turnstile.git-2443676010155639616/Sources/TurnstileWeb/LoginProviders/Digits.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/Turnstile.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/glasses/Documents/GitHub/Perfect-Turnstile-PostgreSQL-Demo/.build/x86_64-apple-macosx10.10/debug/TurnstileCrypto.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
/Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/Objects-normal/x86_64/SwiftyJSON.o : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftmodule : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftdoc : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Source/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Checkouts/SwiftyJSON/Build/Intermediates/SwiftyJSON.build/Release-iphonesimulator/SwiftyJSON\ iOS.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule
D
/***************************************************************************** * * Higgs JavaScript Virtual Machine * * This file is part of the Higgs project. The project is distributed at: * https://github.com/maximecb/Higgs * * Copyright (c) 2011-2014, Maxime Chevalier-Boisvert. All rights reserved. * * This software is licensed under the following license (Modified BSD * License): * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. The name of the author may not be used to endorse or promote * products derived from this software without specific prior written * permission. * * THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED * WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN * NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT * NOT LIMITED TO PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. * *****************************************************************************/ module ir.ir; import std.stdio; import std.array; import std.string; import std.stdint; import std.typecons; import std.conv; import std.regex; import util.id; import util.string; import parser.lexer; import parser.ast; import ir.ops; import ir.livevars; import ir.typeprop; import runtime.vm; import runtime.layout; import runtime.object; import runtime.string; import jit.codeblock; import jit.jit; /// Runtime name prefix const wstring RT_PREFIX = "$rt_"; /// Stack variable index type alias StackIdx = int32; /// Link table index type alias LinkIdx = uint32; /// Null local constant immutable StackIdx NULL_STACK = StackIdx.max; /// Null link constant immutable LinkIdx NULL_LINK = LinkIdx.max; /// Number of hidden function arguments immutable uint32_t NUM_HIDDEN_ARGS = 4; /*** IR function */ class IRFunction : IdObject { /// Corresponding Abstract Syntax Tree (AST) node FunExpr ast; /// Function name package string name = ""; /// Entry block IRBlock entryBlock = null; /// First and last basic blocks IRBlock firstBlock = null; IRBlock lastBlock = null; /// Number of basic blocks uint32_t numBlocks = 0; // Number of visible parameters uint32_t numParams = 0; /// Total number of locals, including parameters and temporaries uint32_t numLocals = 0; /// Hidden argument SSA values FunParam raVal; FunParam closVal; FunParam thisVal; FunParam argcVal; /// Map of parameters to SSA values FunParam[IdentExpr] paramMap; /// Map of identifiers to SSA cell values (closure/shared variables) IRValue[IdentExpr] cellMap; /// Global object value IRInstr globalVal = null; /// Liveness information LiveInfo liveInfo = null; /// Type analysis results (may be null) TypeProp typeInfo = null; /// Regular entry point code CodePtr entryCode = null; /// Map of blocks to lists of existing versions BlockVersion[][IRBlock] versionMap; /// Constructor this(FunExpr ast) { // Register this function in the live function reference set vm.funRefs[cast(void*)this] = this; this.ast = ast; this.name = ast.getName(); this.numParams = cast(uint32_t)ast.params.length; this.numLocals = this.numParams + NUM_HIDDEN_ARGS; // If the function is anonymous if (this.name == "") { if (cast(ASTProgram)ast) { this.name = ast.pos.file? ast.pos.file:""; enum notAlnum = ctRegex!(`[^0-9|a-z|A-Z]`, "g"); this.name = this.name.replace(notAlnum, "_"); } else { this.name = "anon"; } } } /// Destructor ~this() { //writeln("destroying fun"); } /// Test if this is a unit-level function bool isUnit() const { return cast(ASTProgram)ast !is null; } /// Test if this is a runtime primitive function bool isPrim() const { return name.startsWith(RT_PREFIX); } string getName() const { return this.name ~ "(" ~ idString() ~ ")"; } override string toString() { auto output = appender!string(); output.put("function "); output.put(getName()); // Parameters output.put("("); output.put("ra:" ~ raVal.getName() ~ ", "); output.put("clos:" ~ closVal.getName() ~ ", "); output.put("this:" ~ thisVal.getName() ~ ", "); output.put("argc:" ~ argcVal.getName()); foreach (argIdx, var; ast.params) { auto paramVal = paramMap[var]; output.put(", " ~ var.toString() ~ ":" ~ paramVal.getName()); } output.put(")"); // Captured variables output.put(" ["); foreach (varIdx, var; ast.captVars) { auto cellVal = cellMap[var]; output.put(var.toString() ~ ":" ~ cellVal.getName()); if (varIdx < ast.captVars.length - 1) output.put(", "); } output.put("]"); output.put("\n{\n"); for (IRBlock block = firstBlock; block !is null; block = block.next) { auto blockStr = block.toString(); output.put(indent(blockStr, " ") ~ "\n"); } output.put("}"); return output.data; } IRBlock newBlock(string name) { auto block = new IRBlock(name); this.addBlock(block); return block; } void addBlock(IRBlock block) { if (this.lastBlock) { block.prev = lastBlock; block.next = null; lastBlock.next = block; lastBlock = block; } else { block.prev = null; block.next = null; firstBlock = block; lastBlock = block; } block.fun = this; numBlocks++; } /** Remove and destroy a block */ void delBlock(IRBlock block) { if (block.prev) block.prev.next = block.next; else firstBlock = block.next; if (block.next) block.next.prev = block.prev; else lastBlock = block.prev; // Destroy the phi nodes for (auto phi = block.firstPhi; phi !is null; phi = phi.next) block.delPhi(phi); // Destroy the instructions for (auto instr = block.firstInstr; instr !is null; instr = instr.next) block.delInstr(instr); // Nullify the parent pointer block.fun = null; numBlocks--; } } /** SSA IR basic block */ class IRBlock : IdObject { /// Block name (non-unique) package string name; /// List of incoming branches private BranchEdge[] incoming; /// Parent function IRFunction fun = null; /// Linked list of phi nodes PhiNode firstPhi = null; PhiNode lastPhi = null; /// Linked list of instructions IRInstr firstInstr = null; IRInstr lastInstr = null; /// Previous and next block (linked list) IRBlock prev = null; IRBlock next = null; this(string name = "") { this.name = name; } string getName() { return this.name ~ "(" ~ idString() ~ ")"; } override string toString() { auto output = appender!string(); output.put(this.getName() ~ ":\n"); //writeln("printing phis"); for (auto phi = firstPhi; phi !is null; phi = phi.next) { auto phiStr = phi.toString(); output.put(indent(phiStr, " ")); if (phi.next !is null || firstInstr !is null) output.put("\n"); } //writeln("printing instrs"); for (auto instr = firstInstr; instr !is null; instr = instr.next) { auto instrStr = instr.toString(); output.put(indent(instrStr, " ")); if (instr.next !is null) output.put("\n"); } //writeln("done"); return output.data; } /** Add an instruction at the end of the block */ IRInstr addInstr(IRInstr instr) { if (this.lastInstr) { instr.prev = lastInstr; instr.next = null; lastInstr.next = instr; lastInstr = instr; } else { instr.prev = null; instr.next = null; firstInstr = instr; lastInstr = instr; } instr.block = this; return instr; } /** Add an instruction after another instruction */ IRInstr addInstrAfter(IRInstr instr, IRInstr prev) { auto next = prev.next; instr.prev = prev; instr.next = next; prev.next = instr; if (next !is null) next.prev = instr; else this.lastInstr = instr; instr.block = this; return instr; } /** Add an instruction before another instruction */ IRInstr addInstrBefore(IRInstr instr, IRInstr next) { auto prev = next.prev; instr.prev = prev; instr.next = next; next.prev = instr; if (prev !is null) prev.next = instr; else this.firstInstr = instr; instr.block = this; return instr; } /** Remove and destroy an instruction */ void delInstr(IRInstr instr) { assert (instr.block is this); if (instr.prev) instr.prev.next = instr.next; else firstInstr = instr.next; if (instr.next) instr.next.prev = instr.prev; else lastInstr = instr.prev; // If this is a branch instruction if (instr.opcode.isBranch) { // Remove branch edges from successors for (size_t tIdx = 0; tIdx < IRInstr.MAX_TARGETS; ++tIdx) { auto edge = instr.getTarget(tIdx); if (edge !is null) edge.target.remIncoming(edge); } } // Unregister uses of other values foreach (arg; instr.args) { assert (arg.value !is null); arg.value.remUse(arg); } // Nullify the parent pointer instr.block = null; } /** Move an instruction to another block */ void moveInstr(IRInstr instr, IRBlock dstBlock) { assert (instr.block is this); if (instr.prev) instr.prev.next = instr.next; else firstInstr = instr.next; if (instr.next) instr.next.prev = instr.prev; else lastInstr = instr.prev; // Add the instruction to the destination block dstBlock.addInstr(instr); } /** Add a phi node to this block */ PhiNode addPhi(PhiNode phi) { if (this.lastPhi) { phi.prev = lastPhi; phi.next = null; lastPhi.next = phi; lastPhi = phi; } else { phi.prev = null; phi.next = null; firstPhi = phi; lastPhi = phi; } phi.block = this; return phi; } /** Remove and destroy a phi node */ void delPhi(PhiNode phi) { if (phi.prev) phi.prev.next = phi.next; else firstPhi = phi.next; if (phi.next) phi.next.prev = phi.prev; else lastPhi = phi.prev; // Remove the incoming arguments to this phi node foreach (edge; incoming) edge.remPhiArg(phi); // Nullify the parent pointer phi.block = null; } /** Register an incoming branch edge on this block */ void addIncoming(BranchEdge edge) { debug { foreach (entry; incoming) if (entry is edge) assert (false, "duplicate incoming edge"); } incoming ~= edge; } /** Remove (unregister) an incoming branch edge */ void remIncoming(BranchEdge edge) { foreach (idx, entry; incoming) { if (entry is edge) { incoming[idx] = incoming[$-1]; incoming.length -= 1; // Unregister the phi arguments foreach (arg; edge.args) arg.value.remUse(arg); edge.args = []; edge.target = null; return; } } assert (false); } auto numIncoming() { return incoming.length; } auto getIncoming(size_t idx) { assert (idx < incoming.length); return incoming[idx]; } } /** Branch edge descriptor */ class BranchEdge : IdObject { /// Owner branch instruction IRInstr branch; /// Branch target block IRBlock target; /// Mapping of incoming phi values (block arguments) Use[] args; this(IRInstr branch, IRBlock target) { this.branch = branch; this.target = target; } /** Set the value of this edge's branch argument to a phi node */ void setPhiArg(PhiNode phi, IRValue val) { // For each existing branch argument foreach (arg; args) { // If this pair goes to the selected phi node if (arg.owner is phi) { // If the argument changed, remove the current use if (arg.value !is null) arg.value.remUse(arg); // Set the new value arg.value = val; // Add a use to the new value val.addUse(arg); return; } } // Create a new argument auto arg = new Use(val, phi); args ~= arg; // Add a use to the new source value val.addUse(arg); assert (arg.owner is phi); } /** Get the argument to a phi node */ IRValue getPhiArg(PhiNode phi) { // For each existing branch argument foreach (arg; args) if (arg.owner is phi) return arg.value; // Not found return null; } /// Remove the argument to a phi node void remPhiArg(PhiNode phi) { // For each existing branch argument foreach (argIdx, arg; args) { // If this pair goes to the selected phi node if (arg.owner is phi) { args[argIdx] = args[$-1]; args.length = args.length - 1; arg.value.remUse(arg); return; } } assert (false, "phi arg not found"); } } /** IR value use instance */ private class Use { this(IRValue value, IRDstValue owner) { assert (owner !is null); this.value = value; this.owner = owner; } // Value this use refers to IRValue value = null; // Owner of this use IRDstValue owner = null; Use prev = null; Use next = null; } /** Base class for IR/SSA values */ abstract class IRValue : IdObject { /// Linked list of destinations private Use firstUse = null; /// Register a use of this value private void addUse(Use use) { assert (use !is null); assert (use.value is this); assert (use.owner !is null); debug { auto dstThis = cast(IRDstValue)this; auto dstUse = cast(IRDstValue)use; assert ( !dstThis || !dstUse || dstThis.block is dstUse.block, "use owner is not in the same block as value" ); } if (firstUse !is null) { assert (firstUse.prev is null); firstUse.prev = use; } use.prev = null; use.next = firstUse; firstUse = use; } /// Unregister a use of this value private void remUse(Use use) { assert ( use.value is this, "use does not point to this value" ); if (use.prev !is null) { assert (firstUse !is use); use.prev.next = use.next; } else { assert (firstUse !is null); assert (firstUse is use); firstUse = use.next; } if (use.next !is null) { use.next.prev = use.prev; } use.prev = null; use.next = null; use.value = null; } /// Get the first use of this value Use getFirstUse() { return firstUse; } /// Test if this value has no uses bool hasNoUses() { return firstUse is null; } /// Test if this has uses bool hasUses() { return firstUse !is null; } /// Test if this value has a single use bool hasOneUse() { return firstUse !is null && firstUse.next is null; } /// Test if this value has more than one use bool hasManyUses() { return firstUse !is null && firstUse.next !is null; } /// Replace uses of this value by uses of another value void replUses(IRValue newVal) { //assert (false, "replUses"); assert (newVal !is null); //writefln("*** replUses of: %s, by: %s", this.toString(), newVal.getName()); // Find the last use of the new value auto lastUse = newVal.firstUse; while (lastUse !is null && lastUse.next !is null) lastUse = lastUse.next; // Make all our uses point to the new value for (auto use = this.firstUse; use !is null; use = use.next) use.value = newVal; // Chain all our uses at end of the new value's uses if (lastUse !is null) { assert (lastUse.next is null); lastUse.next = this.firstUse; if (this.firstUse !is null) this.firstUse.prev = lastUse; } else { assert (newVal.firstUse is null); newVal.firstUse = this.firstUse; } // There are no more uses of this value this.firstUse = null; } /// Get the short name for this value string getName() { // By default, just use the string representation return toString(); } /// Get the constant value pair for this IR value ValuePair cstValue() { assert ( false, "cannot get constant value for: \"" ~ toString() ~ "\"" ); } } /** SSA constant and constant pools/instances */ class IRConst : IRValue { /// Value of this constant private ValuePair value; override string toString() { return value.toString(); } /// Get the constant value pair for this IR value override ValuePair cstValue() { return value; } auto isInt32 () { return value.tag == Tag.INT32; } auto pair() { return value; } auto word() { return value.word; } auto tag() { return value.tag; } auto int32Val() { return value.word.int32Val; } static IRConst int32Cst(int32_t val) { if (val in int32Vals) return int32Vals[val]; auto cst = new IRConst(Word.int32v(val), Tag.INT32); int32Vals[val] = cst; return cst; } static IRConst int64Cst(int64_t val) { if (val in int64Vals) return int64Vals[val]; auto cst = new IRConst(Word.int64v(val), Tag.INT64); int64Vals[val] = cst; return cst; } static IRConst float64Cst(float64 val) { if (val in float64Vals) return float64Vals[val]; auto cst = new IRConst(Word.float64v(val), Tag.FLOAT64); float64Vals[val] = cst; return cst; } static IRConst trueCst() { if (!trueVal) trueVal = new IRConst(TRUE); return trueVal; } static IRConst falseCst() { if (!falseVal) falseVal = new IRConst(FALSE); return falseVal; } static IRConst undefCst() { if (!undefVal) undefVal = new IRConst(UNDEF); return undefVal; } static IRConst nullCst() { if (!nullVal) nullVal = new IRConst(NULL); return nullVal; } static IRConst nullPtrCst() { if (!nullPtrVal) nullPtrVal = new IRConst(Word.int64v(0), Tag.RAWPTR); return nullPtrVal; } private static IRConst trueVal = null; private static IRConst falseVal = null; private static IRConst undefVal = null; private static IRConst nullVal = null; private static IRConst nullPtrVal = null; private static IRConst[int32] int32Vals; private static IRConst[int64] int64Vals; private static IRConst[float64] float64Vals; private this(Word word, Tag tag) { this.value = ValuePair(word, tag); } private this(ValuePair value) { this.value = value; } } /** String constant value */ class IRString : IRValue { /// String value const wstring str; /// String pointer in JS heap refptr ptr; this(wstring str) { assert (str !is null); this.str = str; this.ptr = null; } override string toString() { return "\"" ~ to!string(str) ~ "\""; } refptr getPtr(VM vm) { if (ptr is null) ptr = getString(vm, str); assert (runtime.gc.inFromSpace(vm, ptr)); return ptr; } } /** Raw pointer constant */ class IRRawPtr : IRValue { ValuePair ptr; this(rawptr ptr) { this.ptr = ValuePair(Word.ptrv(ptr), Tag.RAWPTR); } override string toString() { auto p = ptr.word.ptrVal; return "<rawptr:" ~ ((p is null)? "NULL":"0x"~to!string(p)) ~ ">"; } /// Get the constant value pair for this IR value override ValuePair cstValue() { return ptr; } } /** IR function pointer constant (stateful, non-constant, may be null) */ class IRFunPtr : IRValue { IRFunction fun; this(IRFunction fun) { this.fun = fun; } override string toString() { return "<fun:" ~ (fun? fun.getName():"NULL") ~ ">"; } } /** Link tanle index value (stateful, non-constant, initially null) */ class IRLinkIdx : IRValue { LinkIdx linkIdx = NULL_LINK; this() { } override string toString() { return "<link:" ~ ((linkIdx is NULL_LINK)? "NULL":to!string(linkIdx)) ~ ">"; } } /** Base class for IR values usable as destinations (phi nodes, fun params, instructions) */ abstract class IRDstValue : IRValue { /// Parent block IRBlock block = null; /// Output stack slot StackIdx outSlot = NULL_STACK; /// Get the short name string associated with this instruction override string getName() { if (outSlot !is NULL_STACK) return "$" ~ to!string(outSlot); return "t_" ~ idString(); } } /** Phi node value */ class PhiNode : IRDstValue { /// Previous and next phi nodes (linked list) PhiNode prev = null; PhiNode next = null; override string toString() { assert ( block !is null, "phi node is not attached to a block: " ~ getName() ); string output; output ~= getName() ~ " = phi ["; // For each incoming branch edge foreach (edgeIdx, edge; block.incoming) { // For each branch argument foreach (arg; edge.args) { assert (arg !is null); if (arg.owner is this) { if (edgeIdx > 0) output ~= ", "; // Find the index of this branch target auto branch = edge.branch; assert (branch !is null); size_t tIdx = size_t.max; for (size_t idx = 0; idx < branch.MAX_TARGETS; ++idx) if (branch.getTarget(idx) is edge) tIdx = idx; assert (tIdx != size_t.max); assert (branch.block !is null); output ~= branch.block.getName() ~ ":" ~ to!string(tIdx); output ~= " => " ~ arg.value.getName(); break; } } } output ~= "]"; return output; } } /** Function parameter value @extends PhiNode */ class FunParam : PhiNode { wstring name; uint32_t idx; this(wstring name, uint32_t idx) { this.name = name; this.idx = idx; } /// Get the short name string associated with this argument override string getName() { if (outSlot !is NULL_STACK) return "$" ~ to!string(outSlot); return "arg_" ~ to!string(idx); } override string toString() { string str; if (outSlot !is NULL_STACK) str ~= "$" ~ to!string(outSlot) ~ " = "; str ~= "arg " ~ to!string(idx) ~ " \"" ~ to!string(name) ~ "\""; return str; } } /** SSA instruction */ class IRInstr : IRDstValue { /// Maximum number of branch targets static const MAX_TARGETS = 2; /// Opcode Opcode* opcode; /// Arguments to this instruction private Use[] args; /// Branch targets private BranchEdge[MAX_TARGETS] targets = [null, null]; /// Previous and next instructions (linked list) IRInstr prev = null; IRInstr next = null; // Source position, may be null SrcPos srcPos = null; /// Default constructor this(Opcode* opcode, size_t numArgs = 0) { assert ( (numArgs == opcode.argTypes.length) || (numArgs > opcode.argTypes.length && opcode.isVarArg), "instr argument count mismatch for \"" ~ opcode.mnem ~ "\"" ); this.opcode = opcode; this.args.length = numArgs; } /// Trinary constructor this(Opcode* opcode, IRValue arg0, IRValue arg1, IRValue arg2) { assert (opcode.argTypes.length == 3); this(opcode, 3); setArg(0, arg0); setArg(1, arg1); setArg(2, arg2); } /// Binary constructor this(Opcode* opcode, IRValue arg0, IRValue arg1) { assert ( opcode.argTypes.length == 2, "IR instruction does not take 2 arguments \"" ~ opcode.mnem ~ "\"" ); this(opcode, 2); setArg(0, arg0); setArg(1, arg1); } /// Unary constructor this(Opcode* opcode, IRValue arg0) { assert ( opcode.argTypes.length == 1, "IR instruction does not take 1 argument \"" ~ opcode.mnem ~ "\"" ); this(opcode, 1); setArg(0, arg0); } /// Set an argument of this instruction void setArg(size_t idx, IRValue val) { assert (idx < args.length); assert (val !is null); // If this use is not yet initialized if (args[idx] is null) { args[idx] = new Use(val, this); } else { // If a value is already set for this // argument, remove the current use if (args[idx].value !is null) args[idx].value.remUse(args[idx]); args[idx].value = val; } // Add a use for the new value val.addUse(args[idx]); } /// Remove an argument use void remArg(size_t idx) { assert (idx < args.length); if (args[idx].value !is null) args[idx].value.remUse(args[idx]); args[idx].value = null; } /// Get the number of arguments size_t numArgs() { return args.length; } /// Get an argument of this instruction IRValue getArg(size_t idx) { assert ( idx < args.length, "getArg: invalid arg index" ); return args[idx].value; } /// Test if this instruction uses a given value as argument bool hasArg(IRValue value) { foreach (arg; args) if (arg.value is value) return true; return false; } /// Set a branch target and create a new branch edge descriptor BranchEdge setTarget(size_t idx, IRBlock target) { assert (idx < this.targets.length); // Remove the existing target, if any if (this.targets[idx] !is null) this.targets[idx].target.remIncoming(targets[idx]); auto edge = new BranchEdge(this, target); // Set the branch edge descriptor this.targets[idx] = edge; // Add an incoming edge to the block target.addIncoming(edge); return edge; } BranchEdge getTarget(size_t idx) { assert (idx < targets.length); return targets[idx]; } final override string toString() { string output; if (firstUse !is null || outSlot !is NULL_STACK) output ~= getName() ~ " = "; output ~= opcode.mnem; if (opcode.argTypes.length > 0) output ~= " "; foreach (argIdx, arg; args) { if (argIdx > 0) output ~= ", "; if (arg.value is null) output ~= "<NULL ARG>"; else output ~= arg.value.getName(); } if (targets[0] !is null) { output ~= " => " ~ targets[0].target.getName(); if (targets[1] !is null) output ~= ", " ~ targets[1].target.getName(); } return output; } } /** Test if an instruction is followed by an if_true branching on its value */ bool ifUseNext(IRInstr instr) { return ( instr.next && instr.next.opcode is &IF_TRUE && instr.next.getArg(0) is instr ); } /** Test if our argument precedes and generates a boolean value */ bool boolArgPrev(IRInstr instr) { return ( instr.getArg(0) is instr.prev && instr.prev.opcode.boolVal ); } /** Attempt to get the value of a constant string argument. Produces null if the argument is not a constant string. */ wstring getArgStrCst(IRInstr instr, size_t argIdx) { auto irString = cast(IRString)instr.getArg(argIdx); if (!irString) return null; return irString.str; } /** Recover the callee name for a call instruction, if possible. This function is used to help print sensible error messages. */ string getCalleeName(IRInstr callInstr) { assert (callInstr.opcode.isCall); /// Recover the property name for a get instruction string getPropName(IRInstr getInstr) { // If this is a primitive call if (getInstr.opcode == &CALL_PRIM) { auto primName = cast(IRString)getInstr.getArg(0); if (primName.str == "$rt_getGlobalInl"w) return to!string(getInstr.getArgStrCst(1)); if (primName.str == "$rt_getGlobal"w) return to!string(getInstr.getArgStrCst(2)); if (primName.str == "$rt_getPropField"w) return to!string(getInstr.getArgStrCst(2)); if (primName.str == "$rt_getProp"w) return to!string(getInstr.getArgStrCst(2)); } // If this is an object property read if (getInstr.opcode == &OBJ_GET_PROP) { return to!string(getInstr.getArgStrCst(1)); } // Callee name unrecoverable return null; } // If this is a regular call instruction if (callInstr.opcode is &CALL) { // Get the closure argument auto closArg = callInstr.getArg(0); // If the closure argument is a phi node if (auto closPhi = cast(PhiNode)closArg) { // For each phi argument for (size_t iIdx = 0; iIdx < closPhi.block.numIncoming; ++iIdx) { auto branch = closPhi.block.getIncoming(iIdx); auto arg = branch.getPhiArg(closPhi); if (auto instrArg = cast(IRInstr)arg) { return getPropName(instrArg); } } } // If the closure argument is an instruction if (auto closInstr = cast(IRInstr)closArg) { return getPropName(closInstr); } } // Callee name unrecoverable return null; }
D
void main() { runSolver(); } void problem() { auto N = scan!int; auto S = cast(char[])scan; auto solve() { foreach(i; 0..N / 2) { if (S[i] == S[$ - i - 1]) continue; if (i == 0) { if (S[i] == 'A') return YESNO[false]; if (N == 2) return YESNO[false]; } } return YESNO[true]; } outputForAtCoder(&solve); } // ---------------------------------------------- import std; T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); } string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; } T scan(T)(){ return scan.to!T; } T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; } void deb(T ...)(T t){ debug writeln(t); } long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; } bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; } bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; } string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; } ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}} string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; } struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}} alias MInt1 = ModInt!(10^^9 + 7); alias MInt9 = ModInt!(998_244_353); void outputForAtCoder(T)(T delegate() fn) { static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn()); else static if (is(T == void)) fn(); else static if (is(T == string)) fn().writeln; else static if (isInputRange!T) { static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln; else foreach(r; fn()) r.writeln; } else fn().writeln; } void runSolver() { static import std.datetime.stopwatch; enum BORDER = "=================================="; debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(std.datetime.stopwatch.benchmark!problem(1)); BORDER.writeln; } } else problem(); } enum YESNO = [true: "Yes", false: "No"]; // -----------------------------------------------
D
/****************************************************************************** This holds miscellaneous functionality used in the internal library and also as part of the extended API. There are no public functions in here. License: Copyright (c) 2008 Jarrett Billingsley This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. ******************************************************************************/ module minid.misc; import std.c.stdlib; import std.format; import std.math; import std.string; import std.uni; import std.utf; import minid.alloc; import minid.ex; import minid.interpreter; import minid.types; import minid.utils; package void formatImpl(MDThread* t, uword numParams, void delegate(string) sink) { void shim(...) { doFormat((dchar c) { char[4] buf; sink(cast(string)buf[0 .. encode(buf, c)]); }, _arguments, _argptr); } void output(string fmt, uword param, bool isRaw) { if(isRaw) { auto tmp = (cast(char*)alloca(fmt.length + 1))[0 .. fmt.length + 1]; tmp[0 .. fmt.length] = fmt[]; tmp[$ - 1] = 's'; pushToString(t, param, true); shim(tmp, getString(t, -1)); pop(t); } else { switch(type(t, param)) { case MDValue.Type.Int: shim(fmt, getInt(t, param)); break; case MDValue.Type.Float: shim(fmt, getFloat(t, param)); break; case MDValue.Type.Char: shim(fmt, getChar(t, param)); break; default: pushToString(t, param); shim(fmt, getString(t, -1)); pop(t); break; } } } auto formatStr = checkStringParam(t, 1); uword autoIndex = 2; uword begin = 0; while(begin < formatStr.length) { auto tmppos = formatStr[begin .. $].indexOf('%'); auto fmtBegin = tmppos == -1 ? formatStr.length : tmppos + begin; // output anything outside the {} if(fmtBegin > begin) { sink(formatStr[begin .. fmtBegin]); begin = fmtBegin; } // did we run out of string? if(fmtBegin == formatStr.length) break; // is it an incomplete format spec? if(fmtBegin + 1 == formatStr.length) { sink("{incomplete format spec}"); break; } // Check if it's an escaped { if(formatStr[fmtBegin + 1] == '%') { begin = fmtBegin + 2; sink("%"); continue; } // Stupid C-style format strings.. have to parse them to find the end :P // parse flags uword fmtEnd = fmtBegin + 1; for(; fmtEnd < formatStr.length; fmtEnd++) { switch(formatStr[fmtEnd]) { case '-', '+', '0', ' ': continue; default: break; } break; } // parse width for(; fmtEnd < formatStr.length; fmtEnd++) { switch(formatStr[fmtEnd]) { case '0': .. case '9': continue; default: break; } break; } // parse precision if(fmtEnd < formatStr.length && formatStr[fmtEnd] == '.') { fmtEnd++; for(; fmtEnd < formatStr.length; fmtEnd++) { switch(formatStr[fmtEnd]) { case '0': .. case '9': continue; default: break; } break; } } if(fmtEnd >= formatStr.length) { sink("{incomplete format spec}"); break; } auto fmtSpec = formatStr[fmtBegin .. fmtEnd + 1]; bool isRaw = false; if(fmtSpec[$ - 1] == 'r') { isRaw = true; fmtSpec = fmtSpec[0 .. $ - 1]; } // check for parameter index and remove it if there // TODO: C-style param selectors (ughhh) auto index = autoIndex; // if(isdigit(fmtSpec[0])) // { // uword j = 0; // // for(; j < fmtSpec.length && isdigit(fmtSpec[j]); j++) // {} // // index = Integer.atoi(fmtSpec[0 .. j]) + 2; // fmtSpec = fmtSpec[j .. $]; // } // else autoIndex++; // output it (or see if it's an invalid index) if(index > numParams) sink("{invalid index}"); else output(fmtSpec, index, isRaw); begin = fmtEnd + 1; } } struct JSON { static: struct Token { public uint type; public uword line; public uword col; public enum { String, Int, Float, True, False, Null, Comma, Colon, LBrace, RBrace, LBracket, RBracket, EOF } public static const string[] strings = [ String: "string", Int: "integer", Float: "float", True: "true", False: "false", Null: "null", Comma: ",", Colon: ":", LBrace: "{", RBrace: "}", LBracket: "[", RBracket: "]", EOF: "<EOF>" ]; } struct Lexer { private MDThread* t; private uword mLine; private uword mCol; private string mSource; private uword mPosition; private dchar mCharacter; private Token mTok; public void begin(MDThread* t, string source) { this.t = t; mLine = 1; mCol = 0; mSource = source; mPosition = 0; nextChar(); next(); } public Token* tok() { return &mTok; } public uword line() { return mLine; } public uword col() { return mCol; } public uint type() { return mTok.type; } public Token expect(uint t) { if(mTok.type != t) expected(Token.strings[t]); auto ret = mTok; if(t != Token.EOF) next(); return ret; } public void expected(string message) { throwException(t, "(%s:%s): '%s' expected; found '%s' instead", mTok.line, mTok.col, message, Token.strings[mTok.type]); } public void next() { nextToken(); } private bool isEOF() { return mCharacter == dchar.init; } private bool isWhitespace() { return (mCharacter == ' ') || (mCharacter == '\t') || isNewline(); } private bool isNewline() { return (mCharacter == '\r') || (mCharacter == '\n'); } private bool isHexDigit() { return ((mCharacter >= '0') && (mCharacter <= '9')) || ((mCharacter >= 'a') && (mCharacter <= 'f')) || ((mCharacter >= 'A') && (mCharacter <= 'F')); } private bool isDecimalDigit() { return (mCharacter >= '0') && (mCharacter <= '9'); } private ubyte hexDigitToInt(dchar c) { assert((c >= '0' && c <= '9') || (c >= 'a' && c <= 'f') || (c >= 'A' && c <= 'F'), "hexDigitToInt"); if(c >= '0' && c <= '9') return cast(ubyte)(c - '0'); if(isUniUpper(c)) return cast(ubyte)(c - 'A' + 10); else return cast(ubyte)(c - 'a' + 10); } private dchar readChar() { if(mPosition >= mSource.length) return dchar.init; else return decode(mSource, mPosition); } private void nextChar() { mCol++; mCharacter = readChar(); } private void nextLine() { while(isNewline() && !isEOF()) { dchar old = mCharacter; nextChar(); if(isNewline() && mCharacter != old) nextChar(); mLine++; mCol = 1; } } private bool convertInt(dchar[] str, out mdint ret) { ret = 0; foreach(c; str) { c -= '0'; auto newValue = ret * 10 + c; if(newValue < ret) return false; ret = newValue; } return true; } private bool readNumLiteral() { bool neg = false; // sign if(mCharacter == '-') { neg = true; nextChar(); if(!isDecimalDigit()) throwException(t, "(%s:%s): incomplete number token", mLine, mCol); } // integral part mdint iret = 0; if(mCharacter == '0') nextChar(); else { while(isDecimalDigit()) { iret = (iret * 10) + (mCharacter - '0'); nextChar(); } } if(isEOF() || ".eE"d.indexOf(mCharacter) == -1) { pushInt(t, neg? -iret : iret); return true; } // fraction mdfloat fret = iret; if(mCharacter == '.') { nextChar(); if(!isDecimalDigit()) throwException(t, "(%s:%s): incomplete number token", mLine, mCol); mdfloat frac = 0.0; mdfloat mag = 10.0; while(isDecimalDigit()) { frac += (mCharacter - '0') / mag; mag *= 10; nextChar(); } fret += frac; } // exponent if(mCharacter == 'e' || mCharacter == 'E') { nextChar(); if(!isDecimalDigit() && mCharacter != '+' && mCharacter != '-') throwException(t, "(%s:%s): incomplete number token", mLine, mCol); bool negExp = false; if(mCharacter == '+') nextChar(); else if(mCharacter == '-') { negExp = true; nextChar(); } if(!isDecimalDigit()) throwException(t, "(%s:%s): incomplete number token", mLine, mCol); mdfloat exp = 0; while(isDecimalDigit()) { exp = (exp * 10) + (mCharacter - '0'); nextChar(); } fret = fret * pow(10.0, negExp? -exp : exp); } pushFloat(t, neg? -fret : fret); return false; } private dchar readEscapeSequence(uword beginningLine, uword beginningCol) { uint readHexDigits(uint num) { uint ret = 0; for(uint i = 0; i < num; i++) { if(!isHexDigit()) throwException(t, "(%s:%s): Hexadecimal escape digits expected", mLine, mCol); ret <<= 4; ret |= hexDigitToInt(mCharacter); nextChar(); } return ret; } dchar ret; assert(mCharacter == '\\', "escape seq - must start on backslash"); nextChar(); if(isEOF()) throwException(t, "(%s:%s): Unterminated string literal", beginningLine, beginningCol); switch(mCharacter) { case 'b': nextChar(); return '\b'; case 'f': nextChar(); return '\f'; case 'n': nextChar(); return '\n'; case 'r': nextChar(); return '\r'; case 't': nextChar(); return '\t'; case '\\': nextChar(); return '\\'; case '\"': nextChar(); return '\"'; case '/': nextChar(); return '/'; case 'u': nextChar(); auto x = readHexDigits(4); if(x >= 0xD800 && x < 0xDC00) { if(mCharacter != '\\') throwException(t, "(%s:%s): second surrogate pair character expected", mLine, mCol); nextChar(); if(mCharacter != 'u') throwException(t, "(%s:%s): second surrogate pair character expected", mLine, mCol); nextChar(); auto x2 = readHexDigits(4); x &= ~0xD800; x2 &= ~0xDC00; ret = cast(dchar)(0x10000 + ((x << 10) | x2)); } else if(x >= 0xDC00 && x < 0xE000) throwException(t, "(%s:%s): invalid surrogate pair sequence", mLine, mCol); else ret = cast(dchar)x; break; default: throwException(t, "(%s:%s): Invalid string escape sequence '\\%s'", mLine, mCol, mCharacter); } return ret; } private void readStringLiteral() { auto beginningLine = mLine; auto beginningCol = mCol; auto buf = StrBuffer(t); // Skip opening quote nextChar(); while(true) { if(isEOF()) throwException(t, "(%s:%s): Unterminated string literal", beginningLine, beginningCol); if(mCharacter == '\\') buf.addChar(readEscapeSequence(beginningLine, beginningCol)); else if(mCharacter == '"') break; else if(mCharacter <= 0x1f) throwException(t, "(%s:%s): Invalid character in string token", mLine, mCol); else { buf.addChar(mCharacter); nextChar(); } } // Skip end quote nextChar(); buf.finish(); } private void nextToken() { while(true) { mTok.line = mLine; mTok.col = mCol; switch(mCharacter) { case '\r', '\n': nextLine(); continue; case '\"': readStringLiteral(); mTok.type = Token.String; return; case '{': nextChar(); mTok.type = Token.LBrace; return; case '}': nextChar(); mTok.type = Token.RBrace; return; case '[': nextChar(); mTok.type = Token.LBracket; return; case ']': nextChar(); mTok.type = Token.RBracket; return; case ',': nextChar(); mTok.type = Token.Comma; return; case ':': nextChar(); mTok.type = Token.Colon; return; case dchar.init: mTok.type = Token.EOF; return; case 't': if(!mSource[mPosition .. $].startsWith("rue")) throwException(t, "(%s:%s): true expected", mLine, mCol); nextChar(); nextChar(); nextChar(); nextChar(); mTok.type = Token.True; pushBool(t, true); return; case 'f': if(!mSource[mPosition .. $].startsWith("alse")) throwException(t, "(%s:%s): false expected", mLine, mCol); nextChar(); nextChar(); nextChar(); nextChar(); nextChar(); mTok.type = Token.False; pushBool(t, false); return; case 'n': if(!mSource[mPosition .. $].startsWith("ull")) throwException(t, "(%s:%s): null expected", mLine, mCol); nextChar(); nextChar(); nextChar(); nextChar(); mTok.type = Token.Null; pushNull(t); return; case '-', '1', '2', '3', '4', '5', '6', '7', '8', '9': if(readNumLiteral()) mTok.type = Token.Int; else mTok.type = Token.Float; return; default: if(isWhitespace()) { nextChar(); continue; } throwException(t, "(%s:%s): Invalid character '%s'", mLine, mCol, mCharacter); } } } } private void parseValue(MDThread* t, ref Lexer l) { switch(l.type) { case Token.String: case Token.Int: case Token.Float: case Token.True: case Token.False: case Token.Null: l.next(); return; case Token.LBrace: return parseObject(t, l); case Token.LBracket: return parseArray(t, l); default: throwException(t, "(%s:%s): value expected", l.line, l.col); } } private word parseArray(MDThread* t, ref Lexer l) { auto arr = newArray(t, 0); l.expect(Token.LBracket); if(l.type != Token.RBracket) { parseValue(t, l); dup(t, arr); pushNull(t); rotate(t, 3, 2); methodCall(t, -3, "append", 0); while(l.type == Token.Comma) { l.next(); parseValue(t, l); dup(t, arr); pushNull(t); rotate(t, 3, 2); methodCall(t, -3, "append", 0); } } l.expect(Token.RBracket); return arr; } private void parsePair(MDThread* t, ref Lexer l) { l.expect(Token.String); l.expect(Token.Colon); parseValue(t, l); } private word parseObject(MDThread* t, ref Lexer l) { auto tab = newTable(t); l.expect(Token.LBrace); if(l.type != Token.RBrace) { parsePair(t, l); idxa(t, tab); while(l.type == Token.Comma) { l.next(); parsePair(t, l); idxa(t, tab); } } l.expect(Token.RBrace); return tab; } package word load(MDThread* t, string source) { Lexer l; l.begin(t, source); word ret; if(l.type == Token.LBrace) ret = parseObject(t, l); else if(l.type == Token.LBracket) ret = parseArray(t, l); else throwException(t, "JSON must have an object or an array as its top-level value"); l.expect(Token.EOF); return ret; } // Expects root to be at the top of the stack package void save(MDThread* t, word root, bool pretty, void delegate(string) printer) { root = absIndex(t, root); auto cycles = newTable(t); word indent = 0; void newline(word dir = 0) { printer(.newline); if(dir > 0) indent++; else if(dir < 0) indent--; for(word i = indent; i > 0; i--) printer("\t"); } void delegate(word) outputValue; void outputTable(word tab) { printer("{"); if(pretty) newline(1); bool first = true; dup(t, tab); foreach(word k, word v; foreachLoop(t, 1)) { if(!isString(t, k)) throwException(t, "All keys in a JSON table must be strings"); if(first) first = false; else { printer(","); if(pretty) newline(); } outputValue(k); if(pretty) printer(": "); else printer(":"); outputValue(v); } if(pretty) newline(-1); printer("}"); } void outputArray(word arr) { printer("["); auto l = len(t, arr); for(word i = 0; i < l; i++) { if(i > 0) { if(pretty) printer(", "); else printer(","); } outputValue(idxi(t, arr, i)); pop(t); } printer("]"); } void outputChar(dchar c) { switch(c) { case '\b': printer("\\b"); return; case '\f': printer("\\f"); return; case '\n': printer("\\n"); return; case '\r': printer("\\r"); return; case '\t': printer("\\t"); return; case '"', '\\', '/': printer("\\"); char[4] buf = void; printer(cast(string)buf[0 .. encode(buf, c)]); return; default: if(c > 0x7f) printer(format("\\u%4x", cast(int)c)); // TODO: make this not allocate memory else { char[4] buf = void; printer(cast(string)buf[0 .. encode(buf, c)]); } return; } } void _outputValue(word idx) { switch(type(t, idx)) { case MDValue.Type.Null: printer("null"); break; case MDValue.Type.Bool: printer(getBool(t, idx) ? "true" : "false"); break; case MDValue.Type.Int: printer(format("%s", getInt(t, idx))); // TODO: make this not allocate memory break; case MDValue.Type.Float: printer(format("%s", getFloat(t, idx))); // TODO: make this not allocate memory break; case MDValue.Type.Char: printer("\""); outputChar(getChar(t, idx)); printer("\""); break; case MDValue.Type.String: printer("\""); foreach(dchar c; getString(t, idx)) outputChar(c); printer("\""); break; case MDValue.Type.Table: if(opin(t, idx, cycles)) throwException(t, "Table is cyclically referenced"); dup(t, idx); pushBool(t, true); idxa(t, cycles); scope(exit) { dup(t, idx); pushNull(t); idxa(t, cycles); } outputTable(idx); break; case MDValue.Type.Array: if(opin(t, idx, cycles)) throwException(t, "Array is cyclically referenced"); dup(t, idx); pushBool(t, true); idxa(t, cycles); scope(exit) { dup(t, idx); pushNull(t); idxa(t, cycles); } outputArray(idx); break; default: pushTypeString(t, idx); throwException(t, "Type '%s' is not a valid type for conversion to JSON", getString(t, -1)); } } outputValue = &_outputValue; if(isArray(t, root)) outputArray(root); else if(isTable(t, root)) outputTable(root); else { pushTypeString(t, root); throwException(t, "Root element must be either a table or an array, not a '%s'", getString(t, -1)); } pop(t); } }
D
import std.stdio; import std.stdint; import std.file; import core.runtime; int main(){ string fname = "codex.umz"; uint32_t[][uint32_t] platters; platters[0] = cast(uint32_t[]) std.file.read(fname); //swap endianness: for(int i = 0; i < platters[0].length; i++){ uint32_t temp = platters[0][i]; platters[0][i] = ((temp & 0xFF000000) >> 24) | ((temp & 0x00FF0000) >> 8) | ((temp & 0x0000FF00) << 8) | ((temp & 0x000000FF) << 24); } uint32_t reg[] = cast(uint32_t[]) [0,0,0,0,0,0,0,0]; int index = 0; int serial = 1; while(true){ uint32_t opcode = platters[0][index]; index++; uint32_t A = (opcode & 0b111000000) >> 6; uint32_t B = (opcode & 0b000111000) >> 3; uint32_t C = (opcode & 0b000000111); int opnum = opcode >> 28; //writeln("\t",opnum); if(opnum == 0){ if(reg[C] != 0) reg[A] = reg[B]; } else if(opnum == 1){ reg[A] = platters[reg[B]][reg[C]]; } else if(opnum == 2){ platters[reg[A]][reg[B]] = reg[C]; } else if(opnum == 3){ reg[A] = reg[B] + reg[C]; } else if(opnum == 4){ reg[A] = reg[B] * reg[C]; } else if(opnum == 5){ reg[A] = reg[B] / reg[C]; } else if(opnum == 6){ reg[A] = (~reg[B]) | (~reg[C]); } else if(opnum == 7){ return 0; } else if(opnum == 8){ platters[serial] = new uint32_t[reg[C]]; reg[B] = serial; serial++; } else if(opnum == 9){ platters.remove(reg[C]); } else if(opnum == 10){ write(cast(char)reg[C]); } else if(opnum == 11){ write("input:"); reg[C] = getchar(); } else if(opnum == 12){ platters[0] = platters[reg[B]].dup; index = reg[C]; } else if(opnum == 13){ A = (opcode >> 25) & 0b111; reg[A] = opcode & 33554431; } } return 0; }
D
instance BAU_954_Maleth(Npc_Default) { name[0] = "Maleth"; guild = GIL_OUT; id = 954; voice = 8; flags = 0; npcType = npctype_main; B_SetAttributesToChapter(self,2); fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,ItMw_1h_Bau_Axe); B_CreateAmbientInv(self); B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_N_NormalBart_Dexter,BodyTex_N,ITAR_Bau_L); Mdl_SetModelFatness(self,1); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,25); daily_routine = Rtn_Start_954; }; func void Rtn_Start_954() { TA_Stand_Guarding(8,0,22,0,"NW_FARM1_PATH_CITY_SHEEP_09"); TA_Sleep(22,0,8,0,"NW_FARM1_INSTABLE_BED"); };
D
module spine.ikconstraint; public { import spine.ikconstraint.data; import spine.ikconstraint.ikconstraint; }
D
/** Copyright: Auburn Sounds 2015-2018. License: All Rights Reserved. */ module utils; import std.process; import std.string; import std.file; import std.path; import colorize; string white(string s) @property { return s.color(fg.light_white); } string grey(string s) @property { return s.color(fg.white); } string cyan(string s) @property { return s.color(fg.light_cyan); } string green(string s) @property { return s.color(fg.light_green); } string yellow(string s) @property { return s.color(fg.light_yellow); } string red(string s) @property { return s.color(fg.light_red); } void info(string msg) { cwritefln("info: %s".white, msg); } void warning(string msg) { cwritefln("warning: %s".yellow, msg); } void error(string msg) { cwritefln("error: %s".red, msg); } class ExternalProgramErrored : Exception { public { @safe pure nothrow this(int errorCode, string message, string file =__FILE__, size_t line = __LINE__, Throwable next = null) { super(message, file, line, next); this.errorCode = errorCode; } int errorCode; } } void safeCommand(string cmd) { cwritefln("$ %s".cyan, cmd); auto pid = spawnShell(cmd); auto errorCode = wait(pid); if (errorCode != 0) throw new ExternalProgramErrored(errorCode, format("Command '%s' returned %s", cmd, errorCode)); } // Currently this only escapes spaces... string escapeShellArgument(string arg) { version(Windows) { return `"` ~ arg ~ `"`; } else return arg.replace(" ", "\\ "); } /// Recursive directory copy. /// https://forum.dlang.org/post/n7hc17$19jg$1@digitalmars.com /// Returns: number of copied files int copyRecurse(string from, string to) { // from = absolutePath(from); // to = absolutePath(to); if (isDir(from)) { mkdirRecurse(to); auto entries = dirEntries(from, SpanMode.shallow); int result = 0; foreach (entry; entries) { auto dst = buildPath(to, entry.name[from.length + 1 .. $]); result += copyRecurse(entry.name, dst); } return result; } else { std.file.copy(from, to); return 1; } }
D
// written in the D programming language /* * This file is part of DrossyStars. * * DrossyStars is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * DrossyStars 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 DrossyStars. If not, see <http://www.gnu.org/licenses/>. */ /** * Copyright: © 2014 Anton Gushcha * License: Subject to the terms of the MIT license, as written in the included LICENSE file. * Authors: Anton Gushcha <ncrashed@gmail.com> */ module daemonize.string; import core.stdc.string; static if (__VERSION__ < 2066) { // from upcoming release of phobos /** * Returns a D-style array of $(B char) given a zero-terminated C-style string. * The returned array will retain the same type qualifiers as the input. * * $(B Important Note:) The returned array is a slice of the original buffer. * The original data is not changed and not copied. */ inout(char)[] fromStringz(inout(char)* cString) @system pure { return cString ? cString[0 .. strlen(cString)] : null; } } else { public import std.string; }
D
/* * Copyright (c) 2002 * Pavel "EvilOne" Minayev * * Permission to use, copy, modify, distribute and sell this software * and its documentation for any purpose is hereby granted without fee, * provided that the above copyright notice appear in all copies and * that both that copyright notice and this permission notice appear * in supporting documentation. Author makes no representations about * the suitability of this software for any purpose. It is provided * "as is" without express or implied warranty. */ /* NOTE: This file has been patched from the original DMD distribution to work with the GDC compiler. Modified by David Friedman, September 2004 */ module std.math2; private import std.math, std.string, std.c.stdlib, std.c.stdio; version(GNU) { private import gcc.config; } //debug=math2; /**************************************** * compare floats with given precision */ bit feq(real a, real b) { return feq(a, b, 0.000001); } bit feq(real a, real b, real eps) { return abs(a - b) <= eps; } /********************************* * Modulus */ int abs(int n) { return n > 0 ? n : -n; } long abs(long n) { return n > 0 ? n : -n; } real abs(real n) { // just let the compiler handle it return std.math.fabs(n); } /********************************* * Square */ int sqr(int n) { return n * n; } long sqr(long n) { return n * n; } real sqr(real n) { return n * n; } unittest { assert(sqr(sqr(3)) == 81); } private ushort fp_cw_chop = 7999; /********************************* * Integer part */ version (GNU) { version (GNU_Need_trunc) { real trunc(real n) { return n >= 0 ? std.math.floor(n) : std.math.ceil(n); } } else { alias gcc.config.truncl trunc; } } else { real trunc(real n) { ushort cw; asm { fstcw cw; fldcw fp_cw_chop; fld n; frndint; fldcw cw; } } } unittest { assert(feq(trunc(+123.456), +123.0L)); assert(feq(trunc(-123.456), -123.0L)); } /********************************* * Fractional part */ real frac(real n) { return n - trunc(n); } unittest { assert(feq(frac(+123.456), +0.456L)); assert(feq(frac(-123.456), -0.456L)); } /********************************* * Polynomial of X */ real poly(real x, real[] coefficients) { debug (math2) printf("poly(), coefficients.length = %d\n", coefficients.length); if (!coefficients.length) return 0; real result = coefficients[coefficients.length - 1]; for (int i = coefficients.length - 2; i >= 0; i--) result = result * x + coefficients[i]; return result; } unittest { debug (math2) printf("unittest.poly()\n"); static real[4] k = [ 4, 3, 2, 1 ]; assert(feq(poly(2, k), cast(real) 8 * 1 + 4 * 2 + 2 * 3 + 4)); } /********************************* * Sign */ int sign(int n) { return (n > 0 ? +1 : (n < 0 ? -1 : 0)); } unittest { assert(sign(0) == 0); assert(sign(+666) == +1); assert(sign(-666) == -1); } int sign(long n) { return (n > 0 ? +1 : (n < 0 ? -1 : 0)); } unittest { assert(sign(0) == 0); assert(sign(+666L) == +1); assert(sign(-666L) == -1); } int sign(real n) { return (n > 0 ? +1 : (n < 0 ? -1 : 0)); } unittest { assert(sign(0.0L) == 0); assert(sign(+123.456L) == +1); assert(sign(-123.456L) == -1); } /********************************************************** * Cycles <-> radians <-> grads <-> degrees conversions */ real cycle2deg(real c) { return c * 360; } real cycle2rad(real c) { return c * PI * 2; } real cycle2grad(real c) { return c * 400; } real deg2cycle(real d) { return d / 360; } real deg2rad(real d) { return d / 180 * PI; } real deg2grad(real d) { return d / 90 * 100; } real rad2deg(real r) { return r / PI * 180; } real rad2cycle(real r) { return r / (PI * 2); } real rad2grad(real r) { return r / PI * 200; } real grad2deg(real g) { return g / 100 * 90; } real grad2cycle(real g) { return g / 400; } real grad2rad(real g) { return g / 200 * PI; } unittest { assert(feq(cycle2deg(0.5), 180)); assert(feq(cycle2rad(0.5), PI)); assert(feq(cycle2grad(0.5), 200)); assert(feq(deg2cycle(180), 0.5)); assert(feq(deg2rad(180), PI)); assert(feq(deg2grad(180), 200)); assert(feq(rad2deg(PI), 180)); assert(feq(rad2cycle(PI), 0.5)); assert(feq(rad2grad(PI), 200)); assert(feq(grad2deg(200), 180)); assert(feq(grad2cycle(200), 0.5)); assert(feq(grad2rad(200), PI)); } /************************************ * Arithmetic average of values */ real avg(real[] n) { real result = 0; for (uint i = 0; i < n.length; i++) result += n[i]; return result / n.length; } unittest { static real[4] n = [ 1, 2, 4, 5 ]; assert(feq(avg(n), 3)); } /************************************* * Sum of values */ int sum(int[] n) { long result = 0; for (uint i = 0; i < n.length; i++) result += n[i]; return result; } unittest { static int[3] n = [ 1, 2, 3 ]; assert(sum(n) == 6); } long sum(long[] n) { long result = 0; for (uint i = 0; i < n.length; i++) result += n[i]; return result; } unittest { static long[3] n = [ 1, 2, 3 ]; assert(sum(n) == 6); } real sum(real[] n) { real result = 0; for (uint i = 0; i < n.length; i++) result += n[i]; return result; } unittest { static real[3] n = [ 1, 2, 3 ]; assert(feq(sum(n), 6)); } /************************************* * The smallest value */ int min(int[] n) { int result = int.max; for (uint i = 0; i < n.length; i++) if (n[i] < result) result = n[i]; return result; } unittest { static int[3] n = [ 2, -1, 0 ]; assert(min(n) == -1); } long min(long[] n) { long result = long.max; for (uint i = 0; i < n.length; i++) if (n[i] < result) result = n[i]; return result; } unittest { static long[3] n = [ 2, -1, 0 ]; assert(min(n) == -1); } real min(real[] n) { real result = real.max; for (uint i = 0; i < n.length; i++) { if (n[i] < result) result = n[i]; } return result; } unittest { static real[3] n = [ 2.0, -1.0, 0.0 ]; assert(feq(min(n), -1)); } int min(int a, int b) { return a < b ? a : b; } unittest { assert(min(1, 2) == 1); } long min(long a, long b) { return a < b ? a : b; } unittest { assert(min(1L, 2L) == 1); } real min(real a, real b) { return a < b ? a : b; } unittest { assert(feq(min(1.0L, 2.0L), 1.0L)); } /************************************* * The largest value */ int max(int[] n) { int result = int.min; for (uint i = 0; i < n.length; i++) if (n[i] > result) result = n[i]; return result; } unittest { static int[3] n = [ 0, 2, -1 ]; assert(max(n) == 2); } long max(long[] n) { long result = long.min; for (uint i = 0; i < n.length; i++) if (n[i] > result) result = n[i]; return result; } unittest { static long[3] n = [ 0, 2, -1 ]; assert(max(n) == 2); } real max(real[] n) { real result = real.min; for (uint i = 0; i < n.length; i++) if (n[i] > result) result = n[i]; return result; } unittest { static real[3] n = [ 0.0, 2.0, -1.0 ]; assert(feq(max(n), 2)); } int max(int a, int b) { return a > b ? a : b; } unittest { assert(max(1, 2) == 2); } long max(long a, long b) { return a > b ? a : b; } unittest { assert(max(1L, 2L) == 2); } real max(real a, real b) { return a > b ? a : b; } unittest { assert(feq(max(1.0L, 2.0L), 2.0L)); } /************************************* * Arccotangent */ real acot(real x) { return std.math.tan(1.0 / x); } unittest { assert(feq(acot(cot(0.000001)), 0.000001)); } /************************************* * Arcsecant */ real asec(real x) { return std.math.cos(1.0 / x); } /************************************* * Arccosecant */ real acosec(real x) { return std.math.sin(1.0 / x); } /************************************* * Tangent */ /+ real tan(real x) { asm { fld x; fptan; fstp ST(0); fwait; } } unittest { assert(feq(tan(PI / 3), std.math.sqrt(3))); } +/ /************************************* * Cotangent */ real cot(real x) { version(GNU) { // %% is the asm below missing fld1? return 1/gcc.config.tanl(x); } else { asm { fld x; fptan; fdivrp; fwait; } } } unittest { assert(feq(cot(PI / 6), std.math.sqrt(3.0L))); } /************************************* * Secant */ real sec(real x) { version(GNU) { return 1/gcc.config.cosl(x); } else { asm { fld x; fcos; fld1; fdivrp; fwait; } } } /************************************* * Cosecant */ real cosec(real x) { version(GNU) { // %% is the asm below missing fld1? return 1/gcc.config.sinl(x); } else { asm { fld x; fsin; fld1; fdivrp; fwait; } } } /********************************************* * Extract mantissa and exponent from float */ /+ real frexp(real x, out int exponent) { version (GNU) { return gcc.config.frexpl(x, & exponent); } else { asm { fld x; mov EDX, exponent; mov dword ptr [EDX], 0; ftst; fstsw AX; fwait; sahf; jz done; fxtract; fxch; fistp dword ptr [EDX]; fld1; fchs; fxch; fscale; inc dword ptr [EDX]; fstp ST(1); done: fwait; } } } unittest { int exponent; real mantissa = frexp(123.456, exponent); assert(feq(mantissa * std.math.pow(2.0L, cast(real)exponent), 123.456)); } +/ /************************************* * Hyperbolic cotangent */ real coth(real x) { return 1 / std.math.tanh(x); } unittest { assert(feq(coth(1), std.math.cosh(1) / std.math.sinh(1))); } /************************************* * Hyperbolic secant */ real sech(real x) { return 1 / std.math.cosh(x); } /************************************* * Hyperbolic cosecant */ real cosech(real x) { return 1 / std.math.sinh(x); } /************************************* * Hyperbolic arccosine */ real acosh(real x) { if (x <= 1) return 0; else if (x > 1.0e10) return log(2) + log(x); else return log(x + std.math.sqrt((x - 1) * (x + 1))); } unittest { assert(acosh(0.5) == 0); assert(feq(acosh(std.math.cosh(3)), 3)); } /************************************* * Hyperbolic arcsine */ real asinh(real x) { if (!x) return 0; else if (x > 1.0e10) return log(2) + log(1.0e10); else if (x < -1.0e10) return -log(2) - log(1.0e10); else { real z = x * x; return x > 0 ? std.math.log1p(x + z / (1.0 + std.math.sqrt(1.0 + z))) : -std.math.log1p(-x + z / (1.0 + std.math.sqrt(1.0 + z))); } } unittest { assert(asinh(0) == 0); assert(feq(asinh(std.math.sinh(3)), 3)); } /************************************* * Hyperbolic arctangent */ real atanh(real x) { if (!x) return 0; else { if (x >= 1) return real.max; else if (x <= -1) return -real.max; else return x > 0 ? 0.5 * std.math.log1p((2.0 * x) / (1.0 - x)) : -0.5 * std.math.log1p((-2.0 * x) / (1.0 + x)); } } unittest { assert(atanh(0) == 0); assert(feq(atanh(std.math.tanh(0.5)), 0.5)); } /************************************* * Hyperbolic arccotangent */ real acoth(real x) { return 1 / acot(x); } unittest { assert(feq(acoth(coth(0.01)), 100)); } /************************************* * Hyperbolic arcsecant */ real asech(real x) { return 1 / asec(x); } /************************************* * Hyperbolic arccosecant */ real acosech(real x) { return 1 / acosec(x); } /************************************* * Convert string to float */ real atof(char[] s) { if (!s.length) return real.nan; real result = 0; uint i = 0; while (s[i] == '\t' || s[i] == ' ') if (++i >= s.length) return real.nan; bit neg = false; if (s[i] == '-') { neg = true; i++; } else if (s[i] == '+') i++; if (i >= s.length) return real.nan; bit hex; if (s[s.length - 1] == 'h') { hex = true; s.length = s.length - 1; } else if (i + 1 < s.length && s[i] == '0' && s[i+1] == 'x') { hex = true; i += 2; if (i >= s.length) return real.nan; } else hex = false; while (s[i] != '.') { if (hex) { if ((s[i] == 'p' || s[i] == 'P')) break; result *= 0x10; } else { if ((s[i] == 'e' || s[i] == 'E')) break; result *= 10; } if (s[i] >= '0' && s[i] <= '9') result += s[i] - '0'; else if (hex) { if (s[i] >= 'a' && s[i] <= 'f') result += s[i] - 'a' + 10; else if (s[i] >= 'A' && s[i] <= 'F') result += s[i] - 'A' + 10; else return real.nan; } else return real.nan; if (++i >= s.length) goto done; } if (s[i] == '.') { if (++i >= s.length) goto done; ulong k = 1; while (true) { if (hex) { if ((s[i] == 'p' || s[i] == 'P')) break; result *= 0x10; } else { if ((s[i] == 'e' || s[i] == 'E')) break; result *= 10; } k *= (hex ? 0x10 : 10); if (s[i] >= '0' && s[i] <= '9') result += s[i] - '0'; else if (hex) { if (s[i] >= 'a' && s[i] <= 'f') result += s[i] - 'a' + 10; else if (s[i] >= 'A' && s[i] <= 'F') result += s[i] - 'A' + 10; else return real.nan; } else return real.nan; if (++i >= s.length) { result /= k; goto done; } } result /= k; } if (++i >= s.length) return real.nan; bit eneg = false; if (s[i] == '-') { eneg = true; i++; } else if (s[i] == '+') i++; if (i >= s.length) return real.nan; int e = 0; while (i < s.length) { e *= 10; if (s[i] >= '0' && s[i] <= '9') e += s[i] - '0'; else return real.nan; i++; } if (eneg) e = -e; result *= std.math.pow(hex ? 2.0L : 10.0L, cast(real)e); done: return neg ? -result : result; } unittest { assert(feq(atof("123"), 123)); assert(feq(atof("+123"), +123)); assert(feq(atof("-123"), -123)); assert(feq(atof("123e2"), 12300)); assert(feq(atof("123e+2"), 12300)); assert(feq(atof("123e-2"), 1.23)); assert(feq(atof("123."), 123)); assert(feq(atof("123.E-2"), 1.23)); assert(feq(atof(".456"), .456)); assert(feq(atof("123.456"), 123.456)); assert(feq(atof("1.23456E+2"), 123.456)); //assert(feq(atof("1A2h"), 1A2h)); //assert(feq(atof("1a2h"), 1a2h)); assert(feq(atof("0x1A2"), 0x1A2)); assert(feq(atof("0x1a2p2"), 0x1a2p2)); assert(feq(atof("0x1a2p+2"), 0x1a2p+2)); assert(feq(atof("0x1a2p-2"), 0x1a2p-2)); assert(feq(atof("0x1A2.3B4"), 0x1A2.3B4p0)); assert(feq(atof("0x1a2.3b4P2"), 0x1a2.3b4P2)); } /************************************* * Convert float to string */ char[] toString(real x) { // BUG: this code is broken, returning a pointer into the stack char[1024] buffer; char* p = buffer; uint psize = buffer.length; int count; while (true) { version(Win32) { count = _snprintf(p, psize, "%Lg", x); if (count != -1) break; psize *= 2; p = cast(char*) alloca(psize); } else version(GNU) { // %% Lg on dawrin? count = std.c.stdio.snprintf(p, psize, "%Lg", x); if (count == -1) psize *= 2; else if (count >= psize) psize = count + 1; else break; p = cast(char*) alloca(psize); } else version(linux) { count = snprintf(p, psize, "%Lg", x); if (count == -1) psize *= 2; else if (count >= psize) psize = count + 1; else break; /+ if (p != buffer) c.stdlib.free(p); p = cast(char*) c.stdlib.malloc(psize); +/ p = cast(char*) alloca(psize); } } return p[0 .. count]; } unittest { assert(!cmp(toString(123.456), "123.456")); }
D
/* * The MIT License (MIT) * * Copyright (c) 2014 Richard Andrew Cattermole * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ module dakka.base.remotes.defs; import dakka.base.defs; import dakka.base.registration.actors; import dakka.base.remotes.messages : utc0Time; import vibe.d : msecs, Task, send, sleep; import cerealed.decerealizer; private shared { RemoteDirector director; shared static this() { director = cast(shared)new RemoteDirector(); } } void setDirector(T : RemoteDirector)() { directory = cast(shared)new T(); } void setDirector(RemoteDirector dir) { director = cast(shared)dir; } RemoteDirector getDirector() { synchronized { return cast()director; } } class RemoteDirector { import dakka.base.remotes.messages : DirectorCommunicationActions; alias DCA = DirectorCommunicationActions; private shared { Task[string] remoteConnections; // ThreadID[remoteAddressIdentifier] RemoteClassIdentifier[string] remoteClasses; // ClassIdentifier[uniqueInstanceIdentifier] string[][string][string] remoteClassInstances; // ClassIdentifier[][ClassType][remoteAddressIdentifier] string[][string] nodeCapabilities; //capability[][remoteAddressIdentifier] string[][string] localClasses; // ClassInstanceIdentifier[][ClassIdentifier] bool[string] addrLagCheckUse; // ShouldUse[remoteAddressIdentifier] ubyte[][string] retData; //data[UniqueAccessIdentifier] } bool validAddressIdentifier(string adder) {return (adder in remoteConnections) !is null;} bool validateBuildInfo(string) {return true;} bool validateClientCapabilities(string[]) {return true;} string[] allRemoteAddresses() { return cast()remoteConnections.keys; } void assign(string addr, Task task) { remoteConnections[addr] = cast(shared)task; addrLagCheckUse[addr] = true; } void unassign(string addr) { remoteConnections.remove(addr); nodeCapabilities.remove(addr); addrLagCheckUse.remove(addr); } bool shouldContinueUsingNode(string addr, ulong outBy) { bool ret = outBy < 10000; addrLagCheckUse[addr] = ret; return ret; } void receivedNodeCapabilities(string addr, string[] caps) { nodeCapabilities[addr] = cast(shared)caps; } bool canCreateRemotely(T : Actor)() { import std.algorithm : canFind; string[] required = capabilitiesRequired!T; foreach(addr, caps; nodeCapabilities) { bool good = true; foreach(cap; required) { if (!canFind(cast()caps, cap)) { good = false; break; } } if (good) { return true; } } return false; } bool preferablyCreateRemotely(T : Actor)() { // ugh our load balencing? return true; } string preferableRemoteNodeCreation(string identifier) { import std.algorithm : canFind; string[] required = capabilitiesRequired(identifier); string[] addrs; foreach(addr, caps; nodeCapabilities) { bool good = true; foreach(cap; required) { if (!canFind(cast(string[])caps, cap)) { good = false; break; } } if (good) { addrs ~= addr; } } if (addrs is null) return null; // ugh load balancing? // preferable vs not preferable? foreach(addr; addrs) { if ((cast()addrLagCheckUse).get(addr, true)) { return addr; } } return null; } string localActorCreate(string type) { import std.conv : to; if (type !in localClasses) localClasses[type] = []; string id = type ~ to!string(utc0Time) ~ to!string(localClasses[type].length); localClasses[type] ~= id; return id; } void localActorDies(string type, string identifier) { import std.algorithm : remove; remove((cast()localClasses[type]), identifier); } /** * Received a request to create a class instance. * * Returns: * Class instance identifier */ string receivedCreateClass(string addr, string uid, string identifier, string parent) { import std.algorithm : canFind; string instance = null; // is parent not null? shared(Actor) parentRef; if (parent != "") { bool localInstance = false; string type; foreach(type2, instances; localClasses) { if (canFind(cast()instances, parent)) { localInstance = true; type = type2; break; } } // is the parent a local class? if (localInstance) { parentRef = cast(shared)getInstance(parent).referenceOfActor; // else } else { // create a new one via actorOf (in some form) parentRef = cast(shared)new ActorRef!Actor(parent, addr); } } // can we create the actor on this system? if (canLocalCreate(identifier)) { // ask the registration system for actors to create it instance = createLocalActor(identifier).identifier; // else } else { // return null } return instance; } void receivedEndClassCreate(string uid, string addr, string identifier, string parent) { remoteClasses[uid] = cast(shared)RemoteClassIdentifier(addr, identifier, parent); } bool receivedDeleteClass(string addr, string identifier) { getInstance(identifier).die(); return true; } void receivedBlockingMethodCall(string uid, string addr, string identifier, string method, ubyte[] data) { callMethodOnActor(identifier, method, data, addr); } ubyte[] receivedNonBlockingMethodCall(string uid, string addr, string identifier, string method, ubyte[] data){ return callMethodOnActor(identifier, method, data, addr); } void receivedClassReturn(string uid, ubyte[] data) { retData[uid] = cast(shared)data; } void receivedClassErrored(string identifier, string identifier2, string message) { getInstance(identifier).onChildError(identifier2 != "" ? getInstance(identifier2) : null, message); } void killConnection(string addr) { if (addr in remoteConnections) if ((cast()remoteConnections[addr]).running) remoteConnections[addr].send(DCA.GoDie); } @property string[] connections() { return remoteConnections.keys; } /** * Blocking request to remote server to create a class * * Returns: * Class instance identifier * Or null upon the connection ending. */ string createClass(string addr, string identifier, string parent) { import std.conv : to; if (addr in remoteConnections) { if ((cast()remoteConnections[addr]).running) { string uid = identifier ~ parent ~ to!string(utc0Time()); remoteConnections[addr].send(DCA.CreateClass, uid, identifier, parent); while(uid !in remoteClasses && (cast()remoteConnections[addr]).running) {sleep(25.msecs());} if (uid in remoteClasses) { remoteClassInstances[addr][identifier] ~= remoteClasses[uid].identifier; return remoteClasses[uid].identifier; } } } return null; } void killClass(string addr, string type, string identifier) { import std.algorithm : filter; string[] newIds; foreach(v; remoteClassInstances[addr][type]) { if (v != identifier) newIds ~= v; } remoteClassInstances[addr][type] = cast(shared)newIds; remoteConnections[addr].send(DCA.DeleteClass, identifier); } void actorError(string addr, string identifier, string identifier2, string message) { remoteConnections[addr].send(DCA.ClassError, identifier, identifier2, message); } void callClassNonBlocking(string addr, string identifier, string methodName, ubyte[] data) { import std.conv : to; string uid = identifier ~ methodName ~ to!string(utc0Time()); remoteConnections[addr].send(DCA.ClassCall, uid, identifier, methodName, cast(shared)data, false); } ubyte[] callClassBlocking(string addr, string identifier, string methodName, ubyte[] data){ import std.conv : to; string uid = identifier ~ methodName ~ to!string(utc0Time()); remoteConnections[addr].send(DCA.ClassCall, uid, identifier, methodName, cast(shared)data, true); while(uid !in retData && (cast()remoteConnections[addr]).running) {sleep(25.msecs());} ubyte[] ret = cast(ubyte[])retData[uid]; retData.remove(uid); return ret; } void shutdownAllConnections() { import dakka.base.remotes.server_handler : shutdownListeners; import dakka.base.remotes.client_handler : stopAllConnections; shutdownListeners(); stopAllConnections(); } } struct RemoteClassIdentifier { string addr; string identifier; string parent; } /* * Init connections stuff */ struct DakkaRemoteServer { string hostname; string[] ips; ushort port; } struct DakkaServerSettings { ushort port; ulong lagMaxTime; } void clientConnect(DakkaRemoteServer[] servers...) { import dakka.base.remotes.client_handler; foreach(server; servers) { handleClientMessageServer(server); } } void serverStart(DakkaServerSettings[] servers...) { import dakka.base.remotes.server_handler; foreach(server; servers) { handleServerMessageServer(server); } } /* * Other */ struct DakkaActorRefWrapper { string identifier; string addr; } T grabActorFromData(T)(Decerealizer d, string addr=null) { DakkaActorRefWrapper wrapper = d.value!DakkaActorRefWrapper; if (wrapper.addr is null) { if (hasInstance(wrapper.identifier)) { return new ActorRef!T(cast(T)getInstance(wrapper.identifier), true); } else { return new ActorRef!T(wrapper.identifier, addr); } } else { return new ActorRef!T(wrapper.identifier, wrapper.addr); } }
D
/Users/danielmorales/CSUMB/Firebasechat/build/Firebasechat.build/Debug-iphonesimulator/Firebasechat.build/Objects-normal/x86_64/AppDelegate.o : /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/SceneDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/AppDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/ImageViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/HomeViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignInView.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignUpView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/danielmorales/CSUMB/Firebasechat/build/Firebasechat.build/Debug-iphonesimulator/Firebasechat.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/SceneDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/AppDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/ImageViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/HomeViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignInView.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignUpView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/danielmorales/CSUMB/Firebasechat/build/Firebasechat.build/Debug-iphonesimulator/Firebasechat.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/SceneDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/AppDelegate.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/ImageViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/HomeViewController.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignInView.swift /Users/danielmorales/CSUMB/Firebasechat/Firebasechat/Authentication/SignUpView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/danielmorales/CSUMB/Firebasechat/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; import std.mathspecial; import std.conv; void main() { int[] remaining = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]; int sum = 1_000_000 - 1; int place = 0; int index = 0; long result = 0; while (place != 10) { index = 0; long factorial = 1; if (remaining.length > 0) factorial = to!long(gamma(remaining.length)); debug writeln(factorial, " ", sum, " ", remaining.length); while (sum >= factorial) { sum -= factorial; index++; } debug writeln(index); result *= 10; result += remaining[index]; remaining = remaining[0..index] ~ remaining[(index + 1)..$]; place++; } writeln(result); }
D
// NOTE: I haven't even tried to use this for a test yet! // It's probably godawful, if it works at all. /// module arsd.mssql; version(Windows): pragma(lib, "odbc32"); public import arsd.database; import std.string; import std.exception; import core.sys.windows.sql; import core.sys.windows.sqlext; class MsSql : Database { // dbname = name is probably the most common connection string this(string connectionString) { SQLAllocHandle(SQL_HANDLE_ENV, cast(void*)SQL_NULL_HANDLE, &env); enforce(env !is null); scope(failure) SQLFreeHandle(SQL_HANDLE_ENV, env); SQLSetEnvAttr(env, SQL_ATTR_ODBC_VERSION, cast(void *) SQL_OV_ODBC3, 0); SQLAllocHandle(SQL_HANDLE_DBC, env, &conn); scope(failure) SQLFreeHandle(SQL_HANDLE_DBC, conn); enforce(conn !is null); auto ret = SQLDriverConnect( conn, null, cast(ubyte*)connectionString.ptr, SQL_NTS, null, 0, null, SQL_DRIVER_NOPROMPT ); if ((ret != SQL_SUCCESS_WITH_INFO) && (ret != SQL_SUCCESS)) throw new DatabaseException("Unable to connect to ODBC object: " ~ getSQLError(SQL_HANDLE_DBC, conn)); // FIXME: print error //query("SET NAMES 'utf8'"); // D does everything with utf8 } ~this() { SQLDisconnect(conn); SQLFreeHandle(SQL_HANDLE_DBC, conn); SQLFreeHandle(SQL_HANDLE_ENV, env); } override void startTransaction() { query("START TRANSACTION"); } // possible fixme, idk if this is right override string sysTimeToValue(SysTime s) { return "'" ~ escape(s.toISOExtString()) ~ "'"; } ResultSet queryImpl(string sql, Variant[] args...) { sql = escapedVariants(this, sql, args); // this is passed to MsSqlResult to control SQLHSTMT statement; auto returned = SQLAllocHandle(SQL_HANDLE_STMT, conn, &statement); enforce(returned == SQL_SUCCESS); returned = SQLExecDirect(statement, cast(ubyte*)sql.ptr, cast(SQLINTEGER) sql.length); if(returned != SQL_SUCCESS) throw new DatabaseException(getSQLError(SQL_HANDLE_STMT, statement)); return new MsSqlResult(statement); } string escape(string sqlData) { // FIXME return ""; //FIX ME //return ret.replace("'", "''"); } string error() { return null; // FIXME } private: SQLHENV env; SQLHDBC conn; } class MsSqlResult : ResultSet { // name for associative array to result index int getFieldIndex(string field) { if(mapping is null) makeFieldMapping(); if (field !in mapping) return -1; return mapping[field]; } string[] fieldNames() { if(mapping is null) makeFieldMapping(); return columnNames; } // this is a range that can offer other ranges to access it bool empty() { return isEmpty; } Row front() { return row; } void popFront() { if(!isEmpty) fetchNext; } override size_t length() { return 1; //FIX ME } this(SQLHSTMT statement) { this.statement = statement; SQLSMALLINT info; SQLNumResultCols(statement, &info); numFields = info; fetchNext(); } ~this() { SQLFreeHandle(SQL_HANDLE_STMT, statement); } private: SQLHSTMT statement; int[string] mapping; string[] columnNames; int numFields; bool isEmpty; Row row; void fetchNext() { if(isEmpty) return; if(SQLFetch(statement) == SQL_SUCCESS) { Row r; r.resultSet = this; string[] row; SQLLEN ptr; for(int i = 0; i < numFields; i++) { string a; more: SQLCHAR[1024] buf; if(SQLGetData(statement, cast(ushort)(i+1), SQL_CHAR, buf.ptr, 1024, &ptr) != SQL_SUCCESS) throw new DatabaseException("get data: " ~ getSQLError(SQL_HANDLE_STMT, statement)); assert(ptr != SQL_NO_TOTAL); if(ptr == SQL_NULL_DATA) a = null; else { a ~= cast(string) buf[0 .. ptr > 1024 ? 1024 : ptr].idup; ptr -= ptr > 1024 ? 1024 : ptr; if(ptr) goto more; } row ~= a; } r.row = row; this.row = r; } else { isEmpty = true; } } void makeFieldMapping() { for(int i = 0; i < numFields; i++) { SQLSMALLINT len; SQLCHAR[1024] buf; auto ret = SQLDescribeCol(statement, cast(ushort)(i+1), cast(ubyte*)buf.ptr, 1024, &len, null, null, null, null); if (ret != SQL_SUCCESS) throw new DatabaseException("Field mapping error: " ~ getSQLError(SQL_HANDLE_STMT, statement)); string a = cast(string) buf[0 .. len].idup; columnNames ~= a; mapping[a] = i; } } } private string getSQLError(short handletype, SQLHANDLE handle) { char[32] sqlstate; char[256] message; SQLINTEGER nativeerror=0; SQLSMALLINT textlen=0; auto ret = SQLGetDiagRec(handletype, handle, 1, cast(ubyte*)sqlstate.ptr, cast(int*)&nativeerror, cast(ubyte*)message.ptr, 256, &textlen); return message.idup; } /* import std.stdio; void main() { //auto db = new MsSql("Driver={SQL Server};Server=<host>[\\<optional-instance-name>]>;Database=dbtest;Trusted_Connection=Yes"); auto db = new MsSql("Driver={SQL Server Native Client 10.0};Server=<host>[\\<optional-instance-name>];Database=dbtest;Trusted_Connection=Yes") db.query("INSERT INTO users (id, name) values (30, 'hello mang')"); foreach(line; db.query("SELECT * FROM users")) { writeln(line[0], line["name"]); } } */
D
module dapt.emitter; import std.stdio; import std.string; import std.conv; import std.container.array; interface IEmittable { string emit(); } class BlockEmittable : IEmittable { Array!IEmittable items; void add(IEmittable item) { items.insert(item); } string emit() { string result; foreach (item; items) { result ~= item.emit(); } return result; } } class StringEmittable : IEmittable { const string output; this(in string output) { this.output = output; } string emit() { return output; } static StringEmittable create(T...)(in string format, T args) { auto emitter = new Emitter(); return new StringEmittable(emitter.emit(format, args).build()); } } class ModuleEmittable : IEmittable { string moduleName; this (in string moduleName) { this.moduleName = moduleName; } string emit() { return "module " ~ moduleName ~";\n"; } } class ParseErrorException: Exception { this(in string message) { super(message); } } class Emitter { string result; private int indent = 0; enum spaces = 4; bool autoIndent = true; void emitArray(T)(in char delimiter, T args) { emitArray(to!string(delimiter), args); } void emitArray(T)(in string delimiter, T args) { foreach (emittable; args) { // if (delimiter == ' ') { // result ~= emittable.emit() ~ delimiter; // } else { if (delimiter[$-1] == '\n') { result ~= emittable.emit() ~ delimiter; emitIndent(); } else { result ~= emittable.emit() ~ delimiter ~ ' '; } } if (args.length != 0) result = result[0..$-2]; } Emitter openScope() { indent += spaces; return this; } Emitter closeScope() { indent -= spaces; return this; } void emitIndent() { if (!autoIndent) return; for (int i; i < indent; ++i) { result ~= " "; } } Emitter emit(E...)(in string format, E args) { size_t index = 0; string input = format; bool escaped = false; char getNext() { if (input.length > 0) { input = input[1..$]; return input.length > 0 ? input[0] : '\0'; } else { return '\0'; } } LArgsForeach: foreach (arg; args) { while (input.length > 0) { char next = input[0]; if (!escaped && next == '$' && input.length > 1) { next = getNext(); if (next == '$') { escaped = true; input = input[1..$]; result ~= '$'; continue; } static if (is(typeof(arg) : IEmittable)) { if (next == 'E') { result ~= arg.emit(); getNext(); continue LArgsForeach; } } else static if (is(typeof(arg) == Array!IEmittable, IEmittable)) { if (next == 'A') { next = getNext(); if (next != '<') { if (arg.length != 0) { emitArray(',', arg); } else { // rm trailing spaces while (next == ' ') next = getNext(); } continue LArgsForeach; } // const delimiter = getNext(); next = getNext(); // string delimiter = to!string(next); string delimiter = ""; while (next != '>') { delimiter ~= to!string(next); next = getNext(); } if (arg.length != 0) { emitArray(delimiter, arg); next = getNext(); } else { // rm trailing spaces next = getNext(); while (next == ' ') { next = getNext(); } } continue LArgsForeach; } } else { if (next == 'L') { result ~= to!string(arg); getNext(); continue LArgsForeach; } result ~= "$" ~ next; continue; } } escaped = false; result ~= next; getNext(); } } result ~= input; return this; } Emitter emitln(T...)(in string format, T args) { emitIndent(); emit(format ~ "\n", args); return this; } Emitter emitln(IEmittable emittable) { emitln(""); emitBlock(emittable.emit()); return this; } Emitter emitBlock(in string block) { foreach (line; splitLines(block)) { emitln(line); } return this; } Emitter clear() { result = ""; return this; } string build() { return result; } } unittest { import dunit.assertion; class A : IEmittable { string emit() { return "Hello!"; } } auto a = new A(); auto emitter = new Emitter(); emitter.autoIndent = false; emitter.emit("$E", a); assertEquals(a.emit(), emitter.build()); emitter.clear(); emitter.emit("$", a); assertEquals("$", emitter.build()); emitter.clear(); emitter.emit("Hello world!", 1); assertEquals("Hello world!", emitter.build()); emitter.clear(); emitter.emit("Number is: $L", 1); assertEquals("Number is: 1", emitter.build()); emitter.clear(); emitter.emit("Emittable is: $E, Number is: $L", a, 1); assertEquals("Emittable is: Hello!, Number is: 1", emitter.build()); emitter.clear(); emitter.emit("Escaped emittable is: $$E", 1, a); assertEquals("Escaped emittable is: $E", emitter.build()); emitter.clear(); emitter.emit("Escaped emittable is: $$L", 1, 1); assertEquals("Escaped emittable is: $L", emitter.build()); emitter.clear(); emitter.emit("Escaped emittable is: $$L $L", "Hello world!"); assertEquals("Escaped emittable is: $L Hello world!", emitter.build()); class B : IEmittable { string res; this(in string res) { this.res = res; } string emit() { return this.res; } } Array!B list; list.insert(new B("1")); list.insert(new B("2")); list.insert(new B("3")); emitter.clear(); emitter.emit("Array: $A 1", list); assertEquals("Array: 1, 2, 3 1", emitter.build()); emitter.clear(); emitter.emit("Array: $A<;>", list); assertEquals("Array: 1; 2; 3", emitter.build()); }
D
void main() { auto N = ri; class Point { int x, y; bool done; this(int[] a) { x = a[0]; y = a[1]; done = false; }} Point[] red, blue; foreach(i; 0..N) red ~= new Point(readAs!(int[])); foreach(i; 0..N) blue ~= new Point(readAs!(int[])); blue.sort!"a.x < b.x"; int count; foreach(b; blue) { Point r_ = new Point([int.min, int.min]); foreach(ref r; red) { if(b.x > r.x && b.y > r.y && !r.done && r_.y < r.y) r_ = r; } if(r_.x != int.min) { r_.done = true; count++; } } count.writeln; } // =================================== import std.stdio; import std.string; import std.conv; import std.algorithm; import std.range; import std.traits; import std.math; import std.container; import std.bigint; import std.numeric; import std.conv; import std.typecons; import std.uni; import std.ascii; import std.bitmanip; import core.bitop; T readAs(T)() if (isBasicType!T) { return readln.chomp.to!T; } T readAs(T)() if (isArray!T) { return readln.split.to!T; } T[][] readMatrix(T)(uint height, uint width) if (!isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { res[i] = readAs!(T[]); } return res; } T[][] readMatrix(T)(uint height, uint width) if (isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { auto s = rs; foreach(j; 0..width) res[i][j] = s[j].to!T; } return res; } int ri() { return readAs!int; } double rd() { return readAs!double; } string rs() { return readln.chomp; } T[] deepcopy(T)(T[] a) { static if(isArray!T) { T[] res; foreach(i; a) { res ~= deepcopy(i); } return res; } else { return a.dup; } } ulong[] generate_prime_list(T)(T N) if(isIntegral!T) { ulong[] prime_list = [2]; bool not_prime = false; foreach(i; 3..N.to!ulong+1) { foreach(j; prime_list) { if(i % j == 0) { not_prime = true; break; } } if(!not_prime) prime_list ~= i; not_prime = false; } return prime_list; } class UnionFind(T) { T[] arr; this(ulong n) { arr.length = n+1; arr[] = -1; } T root(T x) { return arr[x] < 0 ? x : root(arr[x]); } bool same(T x, T y) { return root(x) == root(y); } bool unite(T x, T y) { x = root(x); y = root(y); if(x == y) return false; if(arr[x] > arr[y]) swap(x, y); arr[x] += arr[y]; arr[y] = x; return true; } T size(T a) { return -arr[root(a)]; } }
D
/Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.build/Command/CommandArgument.swift.o : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/Command.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandRunnable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Autocomplete.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/CommandConfig.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandOption.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Console+Run.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Help.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/CommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/BasicCommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/CommandError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/Commands.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Utilities.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/CommandArgument.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandInput.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandContext.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.build/Command/CommandArgument~partial.swiftmodule : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/Command.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandRunnable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Autocomplete.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/CommandConfig.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandOption.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Console+Run.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Help.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/CommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/BasicCommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/CommandError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/Commands.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Utilities.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/CommandArgument.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandInput.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandContext.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.build/Command/CommandArgument~partial.swiftdoc : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/Command.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandRunnable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Autocomplete.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/CommandConfig.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Base/CommandOption.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Console+Run.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/Output+Help.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/CommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Group/BasicCommandGroup.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/CommandError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Config/Commands.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Utilities.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Command/CommandArgument.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandInput.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/console/Sources/Command/Run/CommandContext.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module unit_threaded.testsuite; import unit_threaded.testcase; import unit_threaded.writer_thread; import std.datetime; import std.parallelism; import std.concurrency; import std.stdio; import std.conv; /** * Responsible for running tests */ struct TestSuite { this(TestCase[] tests) { _tests = tests; } double run(in bool multiThreaded = true) { _stopWatch.start(); immutable redirectIo = multiThreaded; if(multiThreaded) { foreach(test; taskPool.parallel(_tests)) innerLoop(test); } else { foreach(test; _tests) innerLoop(test); } if(_failures) utWriteln(""); foreach(failure; _failures) { utWriteln("Test ", failure, " failed."); } if(_failures) writeln(""); _stopWatch.stop(); return _stopWatch.peek().seconds(); } @property ulong numTestsRun() const pure nothrow { return _tests.length; } @property ulong numFailures() const pure nothrow { return _failures.length; } @property bool passed() const pure nothrow { return numFailures() == 0; } private: TestCase[] _tests; string[] _failures; StopWatch _stopWatch; void addFailure(in string testPath) nothrow { _failures ~= testPath; } void innerLoop(TestCase test) { utWriteln(test.getPath() ~ ":"); immutable result = test(); if(result.failed) { addFailure(test.getPath()); } utWrite(result.output); } }
D
/** Copyright: Copyright (c) 2017-2019 Andrey Penechko. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: Andrey Penechko. */ /// Convertion of function IR to textual representation module vox.ir.ir_dump; import std.stdio; import std.format : formattedWrite; import vox.all; struct IrDumpContext { CompilationContext* context; IrFunction* ir; FuncDumpSettings* settings; // nullable, uses default if null TextSink* sink; // nullable, writes to stdout if null LivenessInfo* liveness; // nullable, doesn't print liveness if null string passName; // string to printed after function signature. Optional } struct InstrPrintInfo { CompilationContext* context; TextSink* sink; IrFunction* ir; IrIndex blockIndex; IrBasicBlock* block; IrIndex instrIndex; IrInstrHeader* instrHeader; FuncDumpSettings* settings; IrDumpHandlers* handlers; void dumpInstr() { handlers.instrDumper(this); } } struct IrDumpHandlers { InstructionDumper instrDumper; IrIndexDumper indexDumper; } struct IrIndexDump { this(IrIndex index, ref InstrPrintInfo printInfo) { this.index = index; this.context = printInfo.context; this.instrSet = printInfo.ir.instructionSet; } this(IrIndex index, CompilationContext* c, IrInstructionSet instrSet) { this.index = index; this.context = c; this.instrSet = instrSet; } this(IrIndex index, CompilationContext* context, IrFunction* ir) { this.index = index; this.context = context; this.instrSet = ir.instructionSet; } this(IrIndex index, IrBuilder* builder) { this.index = index; this.context = builder.context; this.instrSet = builder.ir.instructionSet; } IrIndex index; IrInstructionSet instrSet; CompilationContext* context; void toString(scope void delegate(const(char)[]) sink) { instrSetDumpHandlers[instrSet].indexDumper(sink, *context, index); } } alias InstructionDumper = void function(ref InstrPrintInfo p); alias IrIndexDumper = void function(scope void delegate(const(char)[]) sink, ref CompilationContext, IrIndex); struct FuncDumpSettings { bool printVars = false; bool printBlockFlags = false; bool printBlockIns = true; bool printBlockOuts = false; bool printBlockRefs = false; bool printInstrIndexEnabled = true; bool printLivenessLinearIndex = false; bool printVregLiveness = false; bool printPregLiveness = false; bool printUses = true; bool printLiveness = false; bool printPassName = true; bool escapeForDot = false; } IrDumpHandlers[] instrSetDumpHandlers = [ IrDumpHandlers(&dumpIrInstr, &dumpIrIndex), IrDumpHandlers(&dumpAmd64Instr, &dumpLirAmd64Index), ]; void dumpTypes(ref TextSink sink, ref CompilationContext ctx) { IrIndex type = ctx.types.firstType; while (type.isDefined) { sink.putfln("%s", IrTypeDump(type, ctx)); type = ctx.types.get!IrTypeHeader(type).nextType; } } void dumpFunction(CompilationContext* context, IrFunction* ir, string passName = null) { IrDumpContext dumpCtx = { context : context, ir : ir, passName : passName }; dumpFunction(&dumpCtx); } void dumpFunction(IrDumpContext* c) { assert(c.context, "context is null"); assert(c.ir, "ir is null"); bool defaultSink = false; TextSink sink; FuncDumpSettings settings; if (c.sink is null) { defaultSink = true; c.sink = &sink; } if (c.settings is null) { c.settings = &settings; } dumpFunctionImpl(c); if (defaultSink) writeln(sink.text); } void dumpFunctionImpl(IrDumpContext* c) { IrFunction* ir = c.ir; TextSink* sink = c.sink; CompilationContext* ctx = c.context; FuncDumpSettings* settings = c.settings; LivenessInfo* liveness = c.liveness; InstrPrintInfo printer; printer.context = ctx; printer.sink = sink; printer.ir = ir; printer.handlers = &instrSetDumpHandlers[ir.instructionSet]; printer.settings = settings; sink.put("func "); // results auto funcType = &ctx.types.get!IrTypeFunction(ir.type); foreach(i, result; funcType.resultTypes) { if (i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(result, printer)); } if (funcType.numResults > 0) sink.put(" "); sink.put(ctx.idString(ir.name)); // parameters sink.put("("); foreach(i, param; funcType.parameterTypes) { if (i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(param, printer)); } sink.put(")"); sink.putf(` %s bytes ir:"%s"`, ir.byteLength, instr_set_names[ir.instructionSet]); if (settings.printPassName && c.passName.length) { sink.put(` pass:"`); sink.put(c.passName); sink.put(`"`); } sink.putln(" {"); int indexPadding = max(ir.numBasicBlocks, ir.numInstructions).numDigitsInNumber10; int liveIndexPadding = 0; if (liveness) liveIndexPadding = liveness.maxLinearIndex.numDigitsInNumber10; void printInstrLiveness(IrIndex linearKeyIndex, IrIndex instrIndex) { if (!settings.printLiveness) return; if (liveness is null) return; uint linearInstrIndex = liveness.linearIndices[linearKeyIndex]; if (settings.printPregLiveness) { foreach(ref interval; liveness.physicalIntervals) { if (interval.coversPosition(linearInstrIndex)) sink.put("|"); else sink.put(" "); } if (settings.printVregLiveness) sink.put("#"); } size_t[] blockLiveIn; if (instrIndex.isBasicBlock) { blockLiveIn = liveness.bitmap.blockLiveInBuckets(instrIndex); } if (settings.printVregLiveness) foreach(ref LiveInterval interval; liveness.virtualIntervals) { auto vreg = ir.getVirtReg(interval.definition); if (interval.hasUseAt(linearInstrIndex)) { if (vreg.definition == instrIndex) // we are printing at definition site sink.put("D"); // virtual register is defined by this instruction / phi else { // some use if (instrIndex.isPhi) { // some phi if (vreg.users.contains(ir, instrIndex)) sink.put("U"); // phi uses current vreg else sink.put("|"); // phi doesn't use current phi } else if (instrIndex.isBasicBlock) { // phi uses are located on the next basic block linear position // this is a use in phi function IrIndex prevBlock = ir.getBlock(instrIndex).prevBlock; enum UseState : ubyte { none = 0b00, above = 0b01, below = 0b10, above_and_below = 0b11 } UseState useState; foreach (index, uint numUses; vreg.users.range(ir)) { if (index.isPhi) { IrPhi* phi = ir.getPhi(index); IrIndex[] preds = ir.getBlock(phi.blockIndex).predecessors.data(ir); foreach(size_t arg_i, IrIndex phiArg; phi.args(ir)) { // we only want phi functions that are in blocks that have this block as predecessor if (preds[arg_i] == prevBlock && phiArg == interval.definition) { uint phiPos = liveness.linearIndices[phi.blockIndex]; if (phiPos < linearInstrIndex) useState |= UseState.above; // vreg is used by phi above else useState |= UseState.below; // vreg is used by phi below } } } } final switch(useState) { case UseState.none: sink.put(" "); break; case UseState.above: sink.put("^"); break; case UseState.below: sink.put("v"); break; case UseState.above_and_below: sink.put("x"); break; } } else sink.put("U"); } } else if (interval.coversPosition(linearInstrIndex)) { if (vreg.definition == instrIndex) sink.put("D"); // virtual register is defined by this instruction / phi else { if (instrIndex.isBasicBlock) { if (blockLiveIn.getBitAt(interval.definition.storageUintIndex)) sink.put("+"); // virtual register is in "live in" of basic block else sink.put(" "); // phi result } else sink.put("|"); // virtual register is live in this position } } else { if (instrIndex.isPhi) { if (vreg.users.contains(ir, instrIndex)) sink.put("U"); else sink.put(" "); } else sink.put(" "); } } if (settings.printLivenessLinearIndex) { sink.putf(" %*s| ", liveIndexPadding, linearInstrIndex); } } void printInstrIndex(IrIndex someIndex) { import std.range : repeat; if (!settings.printInstrIndexEnabled) return; if (someIndex.isInstruction) sink.putf("%*s|", indexPadding, someIndex.storageUintIndex); else sink.putf("%s|", ' '.repeat(indexPadding)); } void printRegUses(IrIndex result) { if (!result.isVirtReg) return; auto vreg = ir.getVirtReg(result); sink.put(" users ["); uint i = 0; foreach (IrIndex user, uint numUses; vreg.users.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(user, printer)); if (numUses > 1) sink.putf(":%s", numUses); ++i; } sink.put("]"); } IrIndex blockIndex = ir.entryBasicBlock; IrBasicBlock* block; while (blockIndex.isDefined) { if (!blockIndex.isBasicBlock) { sink.putfln(" invalid block %s", IrIndexDump(blockIndex, printer)); break; } block = ir.getBlock(blockIndex); scope(exit) blockIndex = block.nextBlock; printer.blockIndex = blockIndex; printer.block = block; printInstrLiveness(blockIndex, blockIndex); printInstrIndex(blockIndex); sink.putf(" %s", IrIndexDump(blockIndex, printer)); if (settings.printBlockFlags) { if (block.isSealed) sink.put(" S"); else sink.put(" ."); if (block.isFinished) sink.put("F"); else sink.put("."); if (block.isLoopHeader) sink.put("L"); else sink.put("."); } if (settings.printBlockIns && block.predecessors.length > 0) { sink.putf(" in("); foreach(i, predIndex; block.predecessors.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(predIndex, printer)); } sink.put(")"); } if (settings.printBlockOuts && block.successors.length > 0) { sink.putf(" out("); foreach(i, succIndex; block.successors.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(succIndex, printer)); } sink.put(")"); } sink.putln; // phis IrIndex phiIndex = block.firstPhi; IrPhi* phi; while (phiIndex.isDefined) { if (!phiIndex.isPhi) { sink.putfln(" invalid phi %s", IrIndexDump(phiIndex, printer)); break; } phi = ir.getPhi(phiIndex); scope(exit) phiIndex = phi.nextPhi; printInstrLiveness(blockIndex, phiIndex); printInstrIndex(phiIndex); sink.putf(" %s %s = %s(", IrIndexDump(phi.result, printer), IrIndexDump(ir.getVirtReg(phi.result).type, printer), IrIndexDump(phiIndex, printer)); IrIndex[] phiPreds = ir.getBlock(phi.blockIndex).predecessors.data(ir); foreach(size_t arg_i, ref IrIndex phiArg; phi.args(ir)) { if (arg_i > 0) sink.put(", "); sink.putf("%s", IrIndexDump(phiPreds[arg_i], printer)); dumpArg(phiArg, printer); } sink.put(")"); if (settings.printUses) printRegUses(phi.result); sink.putln; } // instrs foreach(IrIndex instrIndex, ref IrInstrHeader instrHeader; block.instructions(ir)) { printInstrLiveness(instrIndex, instrIndex); printInstrIndex(instrIndex); // print instr printer.instrIndex = instrIndex; printer.instrHeader = &instrHeader; printer.dumpInstr(); if (settings.printUses && instrHeader.hasResult) printRegUses(instrHeader.result(ir)); sink.putln; } } sink.putln("}"); } void dumpFunctionCFG(IrFunction* ir, ref TextSink sink, CompilationContext* ctx, ref FuncDumpSettings settings) { settings.escapeForDot = true; sink.put(`digraph "`); sink.put("function "); sink.put(ctx.idString(ir.name)); sink.putfln(`() %s bytes" {`, ir.byteLength * uint.sizeof); int indexPadding = ir.numInstructions.numDigitsInNumber10; InstrPrintInfo p; p.context = ctx; p.sink = &sink; p.ir = ir; p.settings = &settings; foreach (IrIndex blockIndex, ref IrBasicBlock block; ir.blocks) { foreach(i, succIndex; block.successors.range(ir)) { sink.putfln("node_%s -> node_%s;", blockIndex.storageUintIndex, succIndex.storageUintIndex); } sink.putf(`node_%s [shape=record,label="{`, blockIndex.storageUintIndex); p.blockIndex = blockIndex; p.block = &block; sink.putf(` %s`, IrIndexDump(blockIndex, p)); sink.put(`\l`); // phis foreach(IrIndex phiIndex, ref IrPhi phi; block.phis(ir)) { sink.putf(" %s %s = %s(", IrIndexDump(phi.result, p), IrIndexDump(ir.getVirtReg(phi.result).type, p), IrIndexDump(phiIndex, p)); IrIndex[] phiPreds = ir.getBlock(phi.blockIndex).predecessors.data(ir); foreach(size_t arg_i, ref IrIndex phiArg; phi.args(ir)) { if (arg_i > 0) sink.put(", "); sink.putf("%s %s", IrIndexDump(phiArg, p), IrIndexDump(phiPreds[arg_i], p)); } sink.put(")"); sink.put(`\l`); } // instrs foreach(IrIndex instrIndex, ref IrInstrHeader instrHeader; block.instructions(ir)) { // print instr p.instrIndex = instrIndex; p.instrHeader = &instrHeader; p.dumpInstr(); sink.put(`\l`); } sink.putfln(`}"];`); } sink.putln("}"); } void dumpIrIndex(scope void delegate(const(char)[]) sink, ref CompilationContext context, IrIndex index) { if (!index.isDefined) { sink("<null>"); return; } final switch(index.kind) with(IrValueKind) { case none: sink.formattedWrite("0x%X", index.asUint); break; case array: sink.formattedWrite("arr%s", index.storageUintIndex); break; case instruction: sink.formattedWrite("i.%s", index.storageUintIndex); break; case basicBlock: sink.formattedWrite("@%s", index.storageUintIndex); break; case constant: auto con = context.constants.get(index); if (con.type.isTypeBasic) { switch (con.type.basicType(&context)) { case IrBasicType.i8: sink.formattedWrite("%s", con.i8); break; case IrBasicType.i16: sink.formattedWrite("%s", con.i16); break; case IrBasicType.i32: sink.formattedWrite("%s", con.i32); break; case IrBasicType.i64: sink.formattedWrite("%s", con.i64); break; case IrBasicType.f32: sink.formattedWrite("%s", con.f32); break; case IrBasicType.f64: sink.formattedWrite("%s", con.f64); break; default: sink.formattedWrite("%s", con.i64); break; } break; } sink.formattedWrite("%s", con.i64); break; case constantAggregate: sink("{"); foreach(i, m; context.constants.getAggregate(index).members) { if (i > 0) sink(", "); dumpIrIndex(sink, context, m); } sink("}"); break; case constantZero: if (index.typeKind == IrTypeKind.basic) sink("0"); else sink("zeroinit"); break; case global: sink.formattedWrite("g%s", index.storageUintIndex); break; case phi: sink.formattedWrite("phi%s", index.storageUintIndex); break; case stackSlot: sink.formattedWrite("s%s", index.storageUintIndex); break; case virtualRegister: sink.formattedWrite("v%s", index.storageUintIndex); break; case physicalRegister: sink.formattedWrite("r%s<c%s s%s>", index.physRegIndex, index.physRegClass, index.physRegSize); break; case type: dumpIrType(sink, context, index); break; case variable: assert(false); case func: sink.formattedWrite("f%s", index.storageUintIndex); break; } } struct IrTypeDump { this(IrIndex index, ref CompilationContext ctx) { this.index = index; this.ctx = &ctx; } IrIndex index; CompilationContext* ctx; void toString(scope void delegate(const(char)[]) sink) { dumpIrType(sink, *ctx, index); } } void dumpIrType(scope void delegate(const(char)[]) sink, ref CompilationContext ctx, IrIndex type, bool recurse = true) { if (type.isUndefined) { sink("<null>"); return; } final switch(type.typeKind) with(IrTypeKind) { case basic: final switch(cast(IrBasicType)type.typeIndex) with(IrBasicType) { case noreturn_t: sink("noreturn"); break; case void_t: sink("void"); break; case i8: sink("i8"); break; case i16: sink("i16"); break; case i32: sink("i32"); break; case i64: sink("i64"); break; case f32: sink("f32"); break; case f64: sink("f64"); break; } break; case pointer: dumpIrType(sink, ctx, ctx.types.get!IrTypePointer(type).baseType, false); sink("*"); break; case array: auto array = ctx.types.get!IrTypeArray(type); sink.formattedWrite("[%s x ", array.numElements); dumpIrType(sink, ctx, array.elemType); sink("]"); break; case struct_t: if (!recurse) { sink("{...}"); break; } IrTypeStruct* struct_t = &ctx.types.get!IrTypeStruct(type); sink("{"); foreach(i, IrTypeStructMember member; struct_t.members) { if (i > 0) { if (struct_t.isUnion) sink(" | "); else sink(", "); } dumpIrType(sink, ctx, member.type, false); } sink("}"); break; case func_t: // results auto funcType = &ctx.types.get!IrTypeFunction(type); foreach(i, result; funcType.resultTypes) { if (i > 0) sink(", "); dumpIrType(sink, ctx, result); } // parameters sink("("); foreach(i, param; funcType.parameterTypes) { if (i > 0) sink(", "); dumpIrType(sink, ctx, param); } sink(")"); break; } } void dumpIrInstr(ref InstrPrintInfo p) { switch(p.instrHeader.op) { case IrOpcode.branch_unary: dumpUnBranch(p); break; case IrOpcode.branch_binary: dumpBinBranch(p); break; case IrOpcode.jump: dumpJmp(p); break; case IrOpcode.branch_switch: dumpSwitch(p); break; case IrOpcode.parameter: uint paramIndex = p.ir.get!IrInstr_parameter(p.instrIndex).index(p.ir); dumpOptionalResult(p); p.sink.putf("parameter%s", paramIndex); break; case IrOpcode.ret: p.sink.put(" return"); break; case IrOpcode.ret_val: p.sink.put(" return"); dumpArg(p.instrHeader.arg(p.ir, 0), p); break; default: dumpOptionalResult(p); p.sink.putf("%s", cast(IrOpcode)p.instrHeader.op); dumpArgs(p); break; } } void dumpOptionalResult(ref InstrPrintInfo p) { if (p.instrHeader.hasResult) { if (p.instrHeader.result(p.ir).isVirtReg) { p.sink.putf(" %s %s = ", IrIndexDump(p.instrHeader.result(p.ir), p), IrIndexDump(p.ir.getVirtReg(p.instrHeader.result(p.ir)).type, p)); } else { p.sink.putf(" %s = ", IrIndexDump(p.instrHeader.result(p.ir), p)); } } else { p.sink.put(" "); } } void dumpArgs(ref InstrPrintInfo p) { foreach (i, IrIndex arg; p.instrHeader.args(p.ir)) { if (i > 0) p.sink.put(","); dumpArg(arg, p); } } void dumpArg(IrIndex arg, ref InstrPrintInfo p) { if (arg.isPhysReg) { p.sink.putf(" %s", IrIndexDump(arg, p)); } else if (arg.isFunction) { FunctionDeclNode* func = p.context.getFunction(arg); p.sink.putf(" %s", p.context.idString(func.id)); } else { if (arg.isDefined) p.sink.putf(" %s %s", IrIndexDump(p.ir.getValueType(p.context, arg), p), IrIndexDump(arg, p)); else p.sink.put(" <null>"); } } void dumpJmp(ref InstrPrintInfo p) { p.sink.put(" jmp "); if (p.block.successors.length > 0) p.sink.putf("%s", IrIndexDump(p.block.successors[0, p.ir], p)); else p.sink.put(p.settings.escapeForDot ? `\<null\>` : "<null>"); } void dumpSwitch(ref InstrPrintInfo p) { p.sink.put(" switch "); IrIndex[] succ = p.block.successors.data(p.ir); IrIndex[] args = p.instrHeader.args(p.ir); if (args.length > 0) p.sink.putf("%s, ", IrIndexDump(args[0], p)); else p.sink.put(p.settings.escapeForDot ? `\<null\>, ` : "<null>, "); if (succ.length > 0) p.sink.putf("%s", IrIndexDump(succ[0], p)); else p.sink.put(p.settings.escapeForDot ? `\<null\>` : "<null>"); foreach(i; 1..max(succ.length, args.length)) { p.sink.put(", "); if (succ.length > i) p.sink.putf("%s ", IrIndexDump(succ[i], p)); else p.sink.put(p.settings.escapeForDot ? `\<null\> ` : "<null> "); if (args.length > i) p.sink.putf("%s", IrIndexDump(args[i], p)); else p.sink.put(p.settings.escapeForDot ? `\<null\>` : "<null>"); } } void dumpUnBranch(ref InstrPrintInfo p) { p.sink.putf(" if%s", unaryCondStrings[p.instrHeader.cond]); dumpArg(p.instrHeader.arg(p.ir, 0), p); p.sink.put(" then "); dumpBranchTargets(p); } void dumpBinBranch(ref InstrPrintInfo p) { string[] opStrings = p.settings.escapeForDot ? binaryCondStringsEscapedForDot : binaryCondStrings; p.sink.put(" if"); dumpArg(p.instrHeader.arg(p.ir, 0), p); p.sink.putf(" %s", opStrings[p.instrHeader.cond]); dumpArg(p.instrHeader.arg(p.ir, 1), p); p.sink.put(" then "); dumpBranchTargets(p); } void dumpBranchTargets(ref InstrPrintInfo p) { switch (p.block.successors.length) { case 0: p.sink.put(p.settings.escapeForDot ? `\<null\> else \<null\>` : "<null> else <null>"); break; case 1: p.sink.putf(p.settings.escapeForDot ? `%s else \<null\>` : "%s else <null>", IrIndexDump(p.block.successors[0, p.ir], p)); break; default: p.sink.putf("%s else %s", IrIndexDump(p.block.successors[0, p.ir], p), IrIndexDump(p.block.successors[1, p.ir], p)); break; } }
D
// Written in the D programming language. /** This module contains implementation of SDL2 based backend for dlang library. Synopsis: ---- import dlangui.platforms.sdl.sdlapp; ---- Copyright: Vadim Lopatin, 2014 License: Boost License 1.0 Authors: Vadim Lopatin, coolreader.org@gmail.com */ module src.dlangui.platforms.sdl.sdlapp; version(USE_SDL) { import core.runtime; import std.conv; import std.string; import std.utf; import std.stdio; import std.algorithm; import std.file; import dlangui.core.logger; import dlangui.core.events; import dlangui.graphics.drawbuf; import dlangui.graphics.fonts; import dlangui.graphics.ftfonts; import dlangui.graphics.resources; import dlangui.widgets.styles; import dlangui.widgets.widget; import dlangui.platforms.common.platform; import derelict.sdl2.sdl; import derelict.opengl3.gl3; version (USE_OPENGL) { import dlangui.graphics.gldrawbuf; import dlangui.graphics.glsupport; } // pragma(lib, "xcb"); // pragma(lib, "xcb-shm"); // pragma(lib, "xcb-image"); // pragma(lib, "X11-xcb"); // pragma(lib, "X11"); // pragma(lib, "dl"); class SDLWindow : Window { SDLPlatform _platform; SDL_Window * _win; SDL_Renderer* _renderer; this(SDLPlatform platform, dstring caption, Window parent, uint flags) { _platform = platform; _caption = caption; debug Log.d("Creating SDL window"); create(flags); } ~this() { debug Log.d("Destroying SDL window"); if (_renderer) SDL_DestroyRenderer(_renderer); version(USE_OPENGL) { if (_context) SDL_GL_DeleteContext(_context); } if (_win) SDL_DestroyWindow(_win); if (_drawbuf) destroy(_drawbuf); } version(USE_OPENGL) { static private bool _gl3Reloaded = false; private SDL_GLContext _context; } protected uint _flags; bool create(uint flags) { _flags = flags; uint windowFlags = SDL_WINDOW_HIDDEN; if (flags & WindowFlag.Resizable) windowFlags |= SDL_WINDOW_RESIZABLE; if (flags & WindowFlag.Fullscreen) windowFlags |= SDL_WINDOW_FULLSCREEN; // TODO: implement modal behavior //if (flags & WindowFlag.Modal) // windowFlags |= SDL_WINDOW_INPUT_GRABBED; version(USE_OPENGL) { if (_enableOpengl) windowFlags |= SDL_WINDOW_OPENGL; } _win = SDL_CreateWindow(toUTF8(_caption).toStringz, SDL_WINDOWPOS_UNDEFINED, SDL_WINDOWPOS_UNDEFINED, 700, 500, windowFlags); version(USE_OPENGL) { if (!_win) { if (_enableOpengl) { Log.e("SDL_CreateWindow failed - cannot create OpenGL window: ", fromStringz(SDL_GetError())); _enableOpengl = false; // recreate w/o OpenGL windowFlags &= ~SDL_WINDOW_OPENGL; _win = SDL_CreateWindow(toUTF8(_caption).toStringz, SDL_WINDOWPOS_UNDEFINED, SDL_WINDOWPOS_UNDEFINED, 700, 500, windowFlags); } } } if (!_win) { Log.e("SDL2: Failed to create window"); return false; } version(USE_OPENGL) { if (_enableOpengl) { _context = SDL_GL_CreateContext(_win); // Create the actual context and make it current if (!_context) { Log.e("SDL_GL_CreateContext failed: ", fromStringz(SDL_GetError())); _enableOpengl = false; } else if (!_gl3Reloaded) { DerelictGL3.reload(); _gl3Reloaded = true; if (!initShaders()) _enableOpengl = false; } } } if (!_enableOpengl) { _renderer = SDL_CreateRenderer(_win, -1, SDL_RENDERER_ACCELERATED | SDL_RENDERER_PRESENTVSYNC); if (!_renderer) { Log.e("SDL2: Failed to create renderer"); return false; } } windowCaption = _caption; return true; } @property uint windowId() { if (_win) return SDL_GetWindowID(_win); return 0; } override void show() { Log.d("SDLWindow.show()"); if (_mainWidget && !(_flags & WindowFlag.Resizable)) { _mainWidget.measure(SIZE_UNSPECIFIED, SIZE_UNSPECIFIED); SDL_SetWindowSize(_win, _mainWidget.measuredWidth, _mainWidget.measuredHeight); } SDL_ShowWindow(_win); } /// close window override void close() { Log.d("SDLWindow.close()"); _platform.closeWindow(this); } protected dstring _caption; override @property dstring windowCaption() { return _caption; } override @property void windowCaption(dstring caption) { _caption = caption; if (_win) SDL_SetWindowTitle(_win, toUTF8(_caption).toStringz); } /// sets window icon @property override void windowIcon(DrawBufRef buf) { ColorDrawBuf icon = cast(ColorDrawBuf)buf.get; if (!icon) { Log.e("Trying to set null icon for window"); return; } icon = new ColorDrawBuf(icon); icon.invertAlpha(); SDL_Surface *surface = SDL_CreateRGBSurfaceFrom(icon.scanLine(0), icon.width, icon.height, 32, icon.width * 4, 0x00ff0000,0x0000ff00,0x000000ff,0xff000000); if (surface) { // The icon is attached to the window pointer SDL_SetWindowIcon(_win, surface); // ...and the surface containing the icon pixel data is no longer required. SDL_FreeSurface(surface); } else { Log.e("failed to set window icon"); } destroy(icon); } /// after drawing, call to schedule redraw if animation is active override void scheduleAnimation() { invalidate(); } protected uint _lastCursorType = CursorType.None; protected SDL_Cursor * [uint] _cursorMap; /// sets cursor type for window override protected void setCursorType(uint cursorType) { // override to support different mouse cursors if (_lastCursorType != cursorType) { if (cursorType == CursorType.None) { SDL_ShowCursor(SDL_DISABLE); return; } if (_lastCursorType == CursorType.None) SDL_ShowCursor(SDL_ENABLE); _lastCursorType = cursorType; SDL_Cursor * cursor; // check for existing cursor in map if (cursorType in _cursorMap) { //Log.d("changing cursor to ", cursorType); cursor = _cursorMap[cursorType]; if (cursor) SDL_SetCursor(cursor); return; } // create new cursor switch (cursorType) { case CursorType.Arrow: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_ARROW); break; case CursorType.IBeam: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_IBEAM); break; case CursorType.Wait: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_WAIT); break; case CursorType.WaitArrow: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_WAITARROW); break; case CursorType.Crosshair: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_CROSSHAIR); break; case CursorType.No: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_NO); break; case CursorType.Hand: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_HAND); break; case CursorType.SizeNWSE: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_SIZENWSE); break; case CursorType.SizeNESW: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_SIZENESW); break; case CursorType.SizeWE: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_SIZEWE); break; case CursorType.SizeNS: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_SIZENS); break; case CursorType.SizeAll: cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_SIZEALL); break; default: // TODO: support custom cursors cursor = SDL_CreateSystemCursor(SDL_SYSTEM_CURSOR_ARROW); break; } _cursorMap[cursorType] = cursor; if (cursor) { Log.d("changing cursor to ", cursorType); SDL_SetCursor(cursor); } } } SDL_Texture * _texture; int _txw; int _txh; private void updateBufferSize() { if (_texture && (_txw != _dx || _txh != _dy)) { SDL_DestroyTexture(_texture); _texture = null; } if (!_texture) { _texture = SDL_CreateTexture(_renderer, SDL_PIXELFORMAT_ARGB8888, SDL_TEXTUREACCESS_STATIC, //SDL_TEXTUREACCESS_STREAMING, _dx, _dy); _txw = _dx; _txh = _dy; } } private void draw(ColorDrawBuf buf) { updateBufferSize(); SDL_Rect rect; rect.w = buf.width; rect.h = buf.height; SDL_UpdateTexture(_texture, &rect, cast(const void*)buf.scanLine(0), buf.width * cast(int)uint.sizeof); SDL_RenderCopy(_renderer, _texture, &rect, &rect); } void redraw() { //Log.e("Widget instance count in SDLWindow.redraw: ", Widget.instanceCount()); // check if size has been changed int w, h; SDL_GetWindowSize(_win, &w, &h); onResize(w, h); if (_enableOpengl) { version(USE_OPENGL) { SDL_GL_MakeCurrent(_win, _context); glDisable(GL_DEPTH_TEST); glViewport(0, 0, _dx, _dy); float a = 1.0f; float r = ((_backgroundColor >> 16) & 255) / 255.0f; float g = ((_backgroundColor >> 8) & 255) / 255.0f; float b = ((_backgroundColor >> 0) & 255) / 255.0f; glClearColor(r, g, b, a); glClear(GL_COLOR_BUFFER_BIT); GLDrawBuf buf = new GLDrawBuf(_dx, _dy, false); buf.beforeDrawing(); onDraw(buf); buf.afterDrawing(); SDL_GL_SwapWindow(_win); destroy(buf); } } else { // Select the color for drawing. ubyte r = cast(ubyte)((_backgroundColor >> 16) & 255); ubyte g = cast(ubyte)((_backgroundColor >> 8) & 255); ubyte b = cast(ubyte)((_backgroundColor >> 0) & 255); SDL_SetRenderDrawColor(_renderer, r, g, b, 255); // Clear the entire screen to our selected color. SDL_RenderClear(_renderer); if (!_drawbuf) _drawbuf = new ColorDrawBuf(_dx, _dy); _drawbuf.resize(_dx, _dy); _drawbuf.fill(_backgroundColor); onDraw(_drawbuf); draw(_drawbuf); // Up until now everything was drawn behind the scenes. // This will show the new, red contents of the window. SDL_RenderPresent(_renderer); } } ColorDrawBuf _drawbuf; //bool _exposeSent; void processExpose() { redraw(); //_exposeSent = false; } protected ButtonDetails _lbutton; protected ButtonDetails _mbutton; protected ButtonDetails _rbutton; ushort convertMouseFlags(uint flags) { ushort res = 0; if (flags & SDL_BUTTON_LMASK) res |= MouseFlag.LButton; if (flags & SDL_BUTTON_RMASK) res |= MouseFlag.RButton; if (flags & SDL_BUTTON_MMASK) res |= MouseFlag.MButton; return res; } MouseButton convertMouseButton(uint button) { if (button == SDL_BUTTON_LEFT) return MouseButton.Left; if (button == SDL_BUTTON_RIGHT) return MouseButton.Right; if (button == SDL_BUTTON_MIDDLE) return MouseButton.Middle; return MouseButton.None; } void processMouseEvent(MouseAction action, uint button, uint state, int x, int y) { ushort flags = convertMouseFlags(state); MouseButton btn = convertMouseButton(button); MouseEvent event = new MouseEvent(action, btn, flags, cast(short)x, cast(short)y); bool res = dispatchMouseEvent(event); if (res) { debug(mouse) Log.d("Calling update() after mouse event"); invalidate(); } } uint convertKeyCode(uint keyCode) { switch(keyCode) { case SDLK_0: return KeyCode.KEY_0; case SDLK_1: return KeyCode.KEY_1; case SDLK_2: return KeyCode.KEY_2; case SDLK_3: return KeyCode.KEY_3; case SDLK_4: return KeyCode.KEY_4; case SDLK_5: return KeyCode.KEY_5; case SDLK_6: return KeyCode.KEY_6; case SDLK_7: return KeyCode.KEY_7; case SDLK_8: return KeyCode.KEY_8; case SDLK_9: return KeyCode.KEY_9; case SDLK_a: return KeyCode.KEY_A; case SDLK_b: return KeyCode.KEY_B; case SDLK_c: return KeyCode.KEY_C; case SDLK_d: return KeyCode.KEY_D; case SDLK_e: return KeyCode.KEY_E; case SDLK_f: return KeyCode.KEY_F; case SDLK_g: return KeyCode.KEY_G; case SDLK_h: return KeyCode.KEY_H; case SDLK_i: return KeyCode.KEY_I; case SDLK_j: return KeyCode.KEY_J; case SDLK_k: return KeyCode.KEY_K; case SDLK_l: return KeyCode.KEY_L; case SDLK_m: return KeyCode.KEY_M; case SDLK_n: return KeyCode.KEY_N; case SDLK_o: return KeyCode.KEY_O; case SDLK_p: return KeyCode.KEY_P; case SDLK_q: return KeyCode.KEY_Q; case SDLK_r: return KeyCode.KEY_R; case SDLK_s: return KeyCode.KEY_S; case SDLK_t: return KeyCode.KEY_T; case SDLK_u: return KeyCode.KEY_U; case SDLK_v: return KeyCode.KEY_V; case SDLK_w: return KeyCode.KEY_W; case SDLK_x: return KeyCode.KEY_X; case SDLK_y: return KeyCode.KEY_Y; case SDLK_z: return KeyCode.KEY_Z; case SDLK_F1: return KeyCode.F1; case SDLK_F2: return KeyCode.F2; case SDLK_F3: return KeyCode.F3; case SDLK_F4: return KeyCode.F4; case SDLK_F5: return KeyCode.F5; case SDLK_F6: return KeyCode.F6; case SDLK_F7: return KeyCode.F7; case SDLK_F8: return KeyCode.F8; case SDLK_F9: return KeyCode.F9; case SDLK_F10: return KeyCode.F10; case SDLK_F11: return KeyCode.F11; case SDLK_F12: return KeyCode.F12; case SDLK_F13: return KeyCode.F13; case SDLK_F14: return KeyCode.F14; case SDLK_F15: return KeyCode.F15; case SDLK_F16: return KeyCode.F16; case SDLK_F17: return KeyCode.F17; case SDLK_F18: return KeyCode.F18; case SDLK_F19: return KeyCode.F19; case SDLK_F20: return KeyCode.F20; case SDLK_F21: return KeyCode.F21; case SDLK_F22: return KeyCode.F22; case SDLK_F23: return KeyCode.F23; case SDLK_F24: return KeyCode.F24; case SDLK_BACKSPACE: return KeyCode.BACK; case SDLK_TAB: return KeyCode.TAB; case SDLK_RETURN: return KeyCode.RETURN; case SDLK_ESCAPE: return KeyCode.ESCAPE; case SDLK_DELETE: case 0x40000063: // dirty hack for Linux - key on keypad return KeyCode.DEL; case SDLK_INSERT: case 0x40000062: // dirty hack for Linux - key on keypad return KeyCode.INS; case SDLK_HOME: case 0x4000005f: // dirty hack for Linux - key on keypad return KeyCode.HOME; case SDLK_PAGEUP: case 0x40000061: // dirty hack for Linux - key on keypad return KeyCode.PAGEUP; case SDLK_END: case 0x40000059: // dirty hack for Linux - key on keypad return KeyCode.END; case SDLK_PAGEDOWN: case 0x4000005b: // dirty hack for Linux - key on keypad return KeyCode.PAGEDOWN; case SDLK_LEFT: case 0x4000005c: // dirty hack for Linux - key on keypad return KeyCode.LEFT; case SDLK_RIGHT: case 0x4000005e: // dirty hack for Linux - key on keypad return KeyCode.RIGHT; case SDLK_UP: case 0x40000060: // dirty hack for Linux - key on keypad return KeyCode.UP; case SDLK_DOWN: case 0x4000005a: // dirty hack for Linux - key on keypad return KeyCode.DOWN; case SDLK_LCTRL: return KeyCode.LCONTROL; case SDLK_LSHIFT: return KeyCode.LSHIFT; case SDLK_LALT: return KeyCode.LALT; case SDLK_RCTRL: return KeyCode.RCONTROL; case SDLK_RSHIFT: return KeyCode.RSHIFT; case SDLK_RALT: return KeyCode.RALT; default: return 0x10000 | keyCode; } } uint convertKeyFlags(uint flags) { uint res; if (flags & KMOD_CTRL) res |= KeyFlag.Control; if (flags & KMOD_SHIFT) res |= KeyFlag.Shift; if (flags & KMOD_ALT) res |= KeyFlag.Alt; if (flags & KMOD_RCTRL) res |= KeyFlag.RControl | KeyFlag.Control; if (flags & KMOD_RSHIFT) res |= KeyFlag.RShift | KeyFlag.Shift; if (flags & KMOD_RALT) res |= KeyFlag.RAlt | KeyFlag.Alt; if (flags & KMOD_LCTRL) res |= KeyFlag.LControl | KeyFlag.Control; if (flags & KMOD_LSHIFT) res |= KeyFlag.LShift | KeyFlag.Shift; if (flags & KMOD_LALT) res |= KeyFlag.LAlt | KeyFlag.Alt; return res; } bool processTextInput(const char * s) { string str = fromStringz(s); dstring ds = toUTF32(str); uint flags = convertKeyFlags(SDL_GetModState()); bool res = dispatchKeyEvent(new KeyEvent(KeyAction.Text, 0, flags, ds)); if (res) { Log.d("Calling update() after text event"); invalidate(); } return res; } bool processKeyEvent(KeyAction action, uint keyCode, uint flags) { Log.d("processKeyEvent ", action, " SDL key=0x", format("%08x", keyCode), " SDL flags=0x", format("%08x", flags)); keyCode = convertKeyCode(keyCode); flags = convertKeyFlags(flags); if (action == KeyAction.KeyDown) { switch(keyCode) { case KeyCode.ALT: flags |= KeyFlag.Alt; break; case KeyCode.RALT: flags |= KeyFlag.Alt | KeyFlag.RAlt; break; case KeyCode.LALT: flags |= KeyFlag.Alt | KeyFlag.LAlt; break; case KeyCode.CONTROL: flags |= KeyFlag.Control; break; case KeyCode.RCONTROL: flags |= KeyFlag.Control | KeyFlag.RControl; break; case KeyCode.LCONTROL: flags |= KeyFlag.Control | KeyFlag.LControl; break; case KeyCode.SHIFT: flags |= KeyFlag.Shift; break; case KeyCode.RSHIFT: flags |= KeyFlag.Shift | KeyFlag.RShift; break; case KeyCode.LSHIFT: flags |= KeyFlag.Shift | KeyFlag.LShift; break; default: break; } } Log.d("processKeyEvent ", action, " converted key=0x", format("%08x", keyCode), " converted flags=0x", format("%08x", flags)); bool res = dispatchKeyEvent(new KeyEvent(action, keyCode, flags)); // if ((keyCode & 0x10000) && (keyCode & 0xF000) != 0xF000) { // dchar[1] text; // text[0] = keyCode & 0xFFFF; // res = dispatchKeyEvent(new KeyEvent(KeyAction.Text, keyCode, flags, cast(dstring)text)) || res; // } if (res) { Log.d("Calling update() after key event"); invalidate(); } return res; } uint _lastRedrawEventCode; /// request window redraw override void invalidate() { _platform.sendRedrawEvent(windowId, ++_lastRedrawEventCode); } void processRedrawEvent(uint code) { if (code == _lastRedrawEventCode) redraw(); } } private __gshared bool _enableOpengl; class SDLPlatform : Platform { this() { } ~this() { foreach(ref SDLWindow wnd; _windowMap) { destroy(wnd); wnd = null; } _windowMap.clear(); disconnect(); } void disconnect() { /* Cleanup */ } bool connect() { return true; } SDLWindow getWindow(uint id) { if (id in _windowMap) return _windowMap[id]; return null; } SDLWindow _windowToClose; /// close window override void closeWindow(Window w) { SDLWindow window = cast(SDLWindow)w; _windowToClose = window; } /// calls request layout for all windows override void requestLayout() { foreach(w; _windowMap) { w.requestLayout(); w.invalidate(); } } private uint _redrawEventId; void sendRedrawEvent(uint windowId, uint code) { if (!_redrawEventId) _redrawEventId = SDL_RegisterEvents(1); SDL_Event event; event.type = _redrawEventId; event.user.windowID = windowId; event.user.code = code; SDL_PushEvent(&event); } override Window createWindow(dstring windowCaption, Window parent, uint flags = WindowFlag.Resizable) { SDLWindow res = new SDLWindow(this, windowCaption, parent, flags); _windowMap[res.windowId] = res; return res; } //void redrawWindows() { // foreach(w; _windowMap) // w.redraw(); //} override int enterMessageLoop() { Log.i("entering message loop"); SDL_Event event; bool quit = false; while(!quit) { //redrawWindows(); //if (SDL_PollEvent(&event)) { if (SDL_WaitEvent(&event)) { //Log.d("Event.type = ", event.type); if (event.type == SDL_QUIT) { Log.i("event.type == SDL_QUIT"); quit = true; break; } if (_redrawEventId && event.type == _redrawEventId) { // user defined redraw event uint windowID = event.user.windowID; SDLWindow w = getWindow(windowID); if (w) { w.processRedrawEvent(event.user.code); } continue; } switch (event.type) { case SDL_WINDOWEVENT: { // WINDOW EVENTS uint windowID = event.window.windowID; SDLWindow w = getWindow(windowID); if (!w) { Log.w("SDL_WINDOWEVENT ", event.window.event, " received with unknown id ", windowID); break; } // found window switch (event.window.event) { case SDL_WINDOWEVENT_RESIZED: Log.d("SDL_WINDOWEVENT_RESIZED win=", event.window.windowID, " pos=", event.window.data1, ",", event.window.data2); break; case SDL_WINDOWEVENT_SIZE_CHANGED: Log.d("SDL_WINDOWEVENT_SIZE_CHANGED win=", event.window.windowID, " pos=", event.window.data1, ",", event.window.data2); w.onResize(event.window.data1, event.window.data2); break; case SDL_WINDOWEVENT_CLOSE: Log.d("SDL_WINDOWEVENT_CLOSE win=", event.window.windowID); _windowMap.remove(windowID); destroy(w); break; case SDL_WINDOWEVENT_SHOWN: Log.d("SDL_WINDOWEVENT_SHOWN"); break; case SDL_WINDOWEVENT_HIDDEN: Log.d("SDL_WINDOWEVENT_HIDDEN"); break; case SDL_WINDOWEVENT_EXPOSED: Log.d("SDL_WINDOWEVENT_EXPOSED"); w.redraw(); break; case SDL_WINDOWEVENT_MOVED: Log.d("SDL_WINDOWEVENT_MOVED"); break; case SDL_WINDOWEVENT_MINIMIZED: Log.d("SDL_WINDOWEVENT_MINIMIZED"); break; case SDL_WINDOWEVENT_MAXIMIZED: Log.d("SDL_WINDOWEVENT_MAXIMIZED"); break; case SDL_WINDOWEVENT_RESTORED: Log.d("SDL_WINDOWEVENT_RESTORED"); break; case SDL_WINDOWEVENT_ENTER: Log.d("SDL_WINDOWEVENT_ENTER"); break; case SDL_WINDOWEVENT_LEAVE: Log.d("SDL_WINDOWEVENT_LEAVE"); break; case SDL_WINDOWEVENT_FOCUS_GAINED: Log.d("SDL_WINDOWEVENT_FOCUS_GAINED"); break; case SDL_WINDOWEVENT_FOCUS_LOST: Log.d("SDL_WINDOWEVENT_FOCUS_LOST"); break; default: break; } break; } case SDL_KEYDOWN: SDLWindow w = getWindow(event.key.windowID); if (w) { w.processKeyEvent(KeyAction.KeyDown, event.key.keysym.sym, event.key.keysym.mod); SDL_StartTextInput(); } break; case SDL_KEYUP: SDLWindow w = getWindow(event.key.windowID); if (w) { w.processKeyEvent(KeyAction.KeyUp, event.key.keysym.sym, event.key.keysym.mod); } break; case SDL_TEXTEDITING: Log.d("SDL_TEXTEDITING"); break; case SDL_TEXTINPUT: Log.d("SDL_TEXTINPUT"); SDLWindow w = getWindow(event.text.windowID); if (w) { w.processTextInput(event.text.text.ptr); } break; case SDL_MOUSEMOTION: SDLWindow w = getWindow(event.motion.windowID); if (w) { w.processMouseEvent(MouseAction.Move, 0, event.motion.state, event.motion.x, event.motion.y); } break; case SDL_MOUSEBUTTONDOWN: SDLWindow w = getWindow(event.button.windowID); if (w) { w.processMouseEvent(MouseAction.ButtonDown, event.button.button, event.button.state, event.button.x, event.button.y); } break; case SDL_MOUSEBUTTONUP: SDLWindow w = getWindow(event.button.windowID); if (w) { w.processMouseEvent(MouseAction.ButtonUp, event.button.button, event.button.state, event.button.x, event.button.y); } break; case SDL_MOUSEWHEEL: break; default: // not supported event break; } if (_windowToClose) { if (_windowToClose.windowId in _windowMap) { Log.i("Platform.closeWindow()"); _windowMap.remove(_windowToClose.windowId); SDL_DestroyWindow(_windowToClose._win); Log.i("windowMap.length=", _windowMap.length); destroy(_windowToClose); } _windowToClose = null; } // if (_windowMap.length == 0) { //quit = true; SDL_Quit(); quit = true; } } } Log.i("exiting message loop"); return 0; } /// retrieves text from clipboard (when mouseBuffer == true, use mouse selection clipboard - under linux) override dstring getClipboardText(bool mouseBuffer = false) { if (!SDL_HasClipboardText()) return ""d; char * txt = SDL_GetClipboardText(); if (!txt) return ""d; string s = fromStringz(txt); SDL_free(txt); return toUTF32(s); } /// sets text to clipboard (when mouseBuffer == true, use mouse selection clipboard - under linux) override void setClipboardText(dstring text, bool mouseBuffer = false) { string s = toUTF8(text); SDL_SetClipboardText(s.toStringz); } protected SDLWindow[uint] _windowMap; } // entry point extern(C) int UIAppMain(string[] args); version (Windows) { import win32.windows; import dlangui.platforms.windows.win32fonts; pragma(lib, "gdi32.lib"); pragma(lib, "user32.lib"); extern(Windows) int DLANGUIWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int nCmdShow) { int result; try { Runtime.initialize(); result = myWinMain(hInstance, hPrevInstance, lpCmdLine, nCmdShow); Log.i("calling Runtime.terminate()"); Runtime.terminate(); } catch (Throwable e) // catch any uncaught exceptions { MessageBox(null, toUTF16z(e.toString ~ "\nStack trace:\n" ~ defaultTraceHandler.toString), "Error", MB_OK | MB_ICONEXCLAMATION); result = 0; // failed } return result; } string[] splitCmdLine(string line) { string[] res; int start = 0; bool insideQuotes = false; for (int i = 0; i <= line.length; i++) { char ch = i < line.length ? line[i] : 0; if (ch == '\"') { if (insideQuotes) { if (i > start) res ~= line[start .. i]; start = i + 1; insideQuotes = false; } else { insideQuotes = true; start = i + 1; } } else if (!insideQuotes && (ch == ' ' || ch == '\t' || ch == 0)) { if (i > start) { res ~= line[start .. i]; } start = i + 1; } } return res; } int myWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int iCmdShow) { setFileLogger(std.stdio.File("ui.log", "w")); setLogLevel(LogLevel.Trace); Log.d("myWinMain()"); string basePath = exePath(); Log.i("Current executable: ", exePath()); string cmdline = fromStringz(lpCmdLine); Log.i("Command line: ", cmdline); string[] args = splitCmdLine(cmdline); Log.i("Command line params: ", args); //_cmdShow = iCmdShow; //_hInstance = hInstance; FontManager.instance = new Win32FontManager(); return sdlmain(args); } } else { int main(string[] args) { setStderrLogger(); setLogLevel(LogLevel.Trace); FreeTypeFontManager ft = new FreeTypeFontManager(); // TODO: use FontConfig ft.registerFont("/usr/share/fonts/truetype/dejavu/DejaVuSans.ttf", FontFamily.SansSerif, "DejaVu", false, FontWeight.Normal); FontManager.instance = ft; return sdlmain(args); } } int sdlmain(string[] args) { currentTheme = createDefaultTheme(); try { // Load the SDL 2 library. DerelictSDL2.load(); } catch (Exception e) { Log.e("Cannot load SDL2 library", e); return 1; } version(USE_OPENGL) { try { DerelictGL3.load(); _enableOpengl = true; } catch (Exception e) { Log.e("Cannot load opengl library", e); } } SDL_DisplayMode displayMode; if (SDL_Init(SDL_INIT_VIDEO|SDL_INIT_TIMER|SDL_INIT_EVENTS) != 0) { Log.e("Cannot init SDL2"); return 2; } scope(exit)SDL_Quit(); int request = SDL_GetDesktopDisplayMode(0,&displayMode); version(USE_OPENGL) { // we want OpenGL 3.3 SDL_GL_SetAttribute(SDL_GL_CONTEXT_MAJOR_VERSION,3); SDL_GL_SetAttribute(SDL_GL_CONTEXT_MINOR_VERSION,2); // Set OpenGL attributes SDL_GL_SetAttribute(SDL_GL_DOUBLEBUFFER, 1); SDL_GL_SetAttribute(SDL_GL_DEPTH_SIZE, 24); } SDLPlatform sdl = new SDLPlatform(); if (!sdl.connect()) { return 1; } Platform.setInstance(sdl); int res = 0; res = UIAppMain(args); //Log.e("Widget instance count after UIAppMain: ", Widget.instanceCount()); Log.d("Destroying SDL platform"); Platform.setInstance(null); // debug(resalloc) { Widget.shuttingDown(); } currentTheme = null; drawableCache = null; imageCache = null; FontManager.instance = null; debug(resalloc) { if (DrawBuf.instanceCount > 0) { Log.e("Non-zero DrawBuf instance count when exiting: ", DrawBuf.instanceCount); } if (Style.instanceCount > 0) { Log.e("Non-zero Style instance count when exiting: ", Style.instanceCount); } if (Widget.instanceCount() > 0) { Log.e("Non-zero Widget instance count when exiting: ", Widget.instanceCount); } if (ImageDrawable.instanceCount > 0) { Log.e("Non-zero ImageDrawable instance count when exiting: ", ImageDrawable.instanceCount); } } Log.d("Exiting main"); return res; } }
D
module bookstore.products.domain; import cqrslib.domain; import std.typecons; import specd.specd; /* immutable struct as value object because: - it has value semantics by being a struct - builtin equality by comparing fields - builtin toString by outputting name and fields (using std.conv) - copy on assignment - cannot change fields after creation */ immutable struct Book { string bookId; string isbn; string title; string description; } immutable struct Product { string productId; Book book; long price; string publisherContractId; } unittest { auto book1 = Book("a", "b", "c", "d"); auto prod1 = Product("e", book1, 12345, "f"); auto book2 = Book("1", "2", "3", "4"); auto prod2 = Product("5", book2, -1, "6"); auto book3 = Book("a", "b", "c", "d"); auto prod3 = Product("e", book3, 12345, "f"); //assertNotEqual(book1, book2); //assertEqual(book1, book3); //assertNotEqual(prod1, prod2); //assertEqual(prod1, prod3); //assertNotEqual(prod3, prod4); describe("books") .should("be equal if all terms are equal", book1.must.be.equal(book3)) .should("not be equal if a term differs", book1.must.not.be.equal(book2)) ; describe("products") .should("be equal if all terms are equal", prod1.must.be.equal(prod3)) .should("not be equal if a term differs", prod1.must.not.be.equal(prod2)) ; } // TODO: Nullable!Product may be the right type, but I would be more comfortable // with an Option type like in Scala, since I think it expresses intent better interface ProductRepository { Product[] getProducts(); Nullable!Product getProduct(string productId); void save(Product product); }
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!double; writefln("%.10f", n*9/5.0+32); }
D
// Written in the D programming language. /** This module contains drawing buffer implementation. Synopsis: ---- import dlangui.graphics.drawbuf; ---- Copyright: Vadim Lopatin, 2014 License: Boost License 1.0 Authors: Vadim Lopatin, coolreader.org@gmail.com */ module dlangui.graphics.drawbuf; public import dlangui.core.types; import dlangui.core.logger; immutable uint COLOR_TRANSFORM_OFFSET_NONE = 0x80808080; immutable uint COLOR_TRANSFORM_MULTIPLY_NONE = 0x40404040; /// blend two RGB pixels using alpha uint blendARGB(uint dst, uint src, uint alpha) { uint dstalpha = dst >> 24; if (dstalpha > 0x80) return src; uint srcr = (src >> 16) & 0xFF; uint srcg = (src >> 8) & 0xFF; uint srcb = (src >> 0) & 0xFF; uint dstr = (dst >> 16) & 0xFF; uint dstg = (dst >> 8) & 0xFF; uint dstb = (dst >> 0) & 0xFF; uint ialpha = 256 - alpha; uint r = ((srcr * ialpha + dstr * alpha) >> 8) & 0xFF; uint g = ((srcg * ialpha + dstg * alpha) >> 8) & 0xFF; uint b = ((srcb * ialpha + dstb * alpha) >> 8) & 0xFF; return (r << 16) | (g << 8) | b; } /// blend two alpha values 0..255 (255 is fully transparent, 0 is opaque) uint blendAlpha(uint a1, uint a2) { if (!a1) return a2; if (!a2) return a1; return (((a1 ^ 0xFF) * (a2 ^ 0xFF)) >> 8) ^ 0xFF; } ubyte rgbToGray(uint color) { uint srcr = (color >> 16) & 0xFF; uint srcg = (color >> 8) & 0xFF; uint srcb = (color >> 0) & 0xFF; return cast(uint)(((srcr + srcg + srcg + srcb) >> 2) & 0xFF); } // todo struct ColorTransformHandler { void init(ref ColorTransform transform) { } uint transform(uint color) { return color; } } uint transformComponent(int src, int addBefore, int multiply, int addAfter) { int add1 = (cast(int)(addBefore << 1)) - 0x100; int add2 = (cast(int)(addAfter << 1)) - 0x100; int mul = cast(int)(multiply << 2); int res = (((src + add1) * mul) >> 8) + add2; if (res < 0) res = 0; else if (res > 255) res = 255; return cast(uint)res; } uint transformRGBA(uint src, uint addBefore, uint multiply, uint addAfter) { uint a = transformComponent(src >> 24, addBefore >> 24, multiply >> 24, addAfter >> 24); uint r = transformComponent((src >> 16) & 0xFF, (addBefore >> 16) & 0xFF, (multiply >> 16) & 0xFF, (addAfter >> 16) & 0xFF); uint g = transformComponent((src >> 8) & 0xFF, (addBefore >> 8) & 0xFF, (multiply >> 8) & 0xFF, (addAfter >> 8) & 0xFF); uint b = transformComponent(src & 0xFF, addBefore & 0xFF, multiply & 0xFF, addAfter & 0xFF); return (a << 24) | (r << 16) | (g << 8) | b; } struct ColorTransform { uint addBefore = COLOR_TRANSFORM_OFFSET_NONE; uint multiply = COLOR_TRANSFORM_MULTIPLY_NONE; uint addAfter = COLOR_TRANSFORM_OFFSET_NONE; @property bool empty() const { return addBefore == COLOR_TRANSFORM_OFFSET_NONE && multiply == COLOR_TRANSFORM_MULTIPLY_NONE && addAfter == COLOR_TRANSFORM_OFFSET_NONE; } uint transform(uint color) { return transformRGBA(color, addBefore, multiply, addAfter); } } /// blend two RGB pixels using alpha ubyte blendGray(ubyte dst, ubyte src, uint alpha) { uint ialpha = 256 - alpha; return cast(ubyte)(((src * ialpha + dst * alpha) >> 8) & 0xFF); } /// returns true if color is #FFxxxxxx (color alpha is 255) bool isFullyTransparentColor(uint color) pure nothrow { return (color >> 24) == 0xFF; } /** * 9-patch image scaling information (see Android documentation). * * */ struct NinePatch { /// frame (non-scalable) part size for left, top, right, bottom edges. Rect frame; /// padding (distance to content area) for left, top, right, bottom edges. Rect padding; } version (USE_OPENGL) { /// non thread safe private __gshared uint drawBufIdGenerator = 0; } /// drawing buffer - image container which allows to perform some drawing operations class DrawBuf : RefCountedObject { protected Rect _clipRect; protected NinePatch * _ninePatch; protected uint _alpha; /// get current alpha setting (to be applied to all drawing operations) @property uint alpha() { return _alpha; } /// set new alpha setting (to be applied to all drawing operations) @property void alpha(uint alpha) { _alpha = alpha; if (_alpha > 0xFF) _alpha = 0xFF; } /// apply additional transparency to current drawbuf alpha value void addAlpha(uint alpha) { _alpha = blendAlpha(_alpha, alpha); } /// applies current drawbuf alpha to argb color value uint applyAlpha(uint argb) { if (!_alpha) return argb; // no drawbuf alpha uint a1 = (argb >> 24) & 0xFF; if (a1 == 0xFF) return argb; // fully transparent uint a2 = _alpha & 0xFF; uint a = blendAlpha(a1, a2); return (argb & 0xFFFFFF) | (a << 24); } version (USE_OPENGL) { protected uint _id; /// unique ID of drawbug instance, for using with hardware accelerated rendering for caching @property uint id() { return _id; } } this() { version (USE_OPENGL) { _id = drawBufIdGenerator++; } debug(resalloc) _instanceCount++; } debug(resalloc) private static int _instanceCount; debug(resalloc) @property static int instanceCount() { return _instanceCount; } ~this() { debug(resalloc) _instanceCount--; clear(); } protected void function(uint) _onDestroyCallback; @property void onDestroyCallback(void function(uint) callback) { _onDestroyCallback = callback; } @property void function(uint) onDestroyCallback() { return _onDestroyCallback; } // =================================================== // 9-patch functions (image scaling using 9-patch markup - unscaled frame and scaled middle parts). // See Android documentation for details. /// get nine patch information pointer, null if this is not a nine patch image buffer @property const (NinePatch) * ninePatch() const { return _ninePatch; } /// set nine patch information pointer, null if this is not a nine patch image buffer @property void ninePatch(NinePatch * ninePatch) { _ninePatch = ninePatch; } /// check whether there is nine-patch information available for drawing buffer @property bool hasNinePatch() { return _ninePatch !is null; } /// override to detect nine patch using image 1-pixel border; returns true if 9-patch markup is found in image. bool detectNinePatch() { return false; } /// returns current width @property int width() { return 0; } /// returns current height @property int height() { return 0; } // =================================================== // clipping rectangle functions /// returns clipping rectangle, when clipRect.isEmpty == true -- means no clipping. @property ref Rect clipRect() { return _clipRect; } /// returns clipping rectangle, or (0,0,dx,dy) when no clipping. @property Rect clipOrFullRect() { return _clipRect.empty ? Rect(0,0,width,height) : _clipRect; } /// sets new clipping rectangle, when clipRect.isEmpty == true -- means no clipping. @property void clipRect(const ref Rect rect) { _clipRect = rect; _clipRect.intersect(Rect(0, 0, width, height)); } /// sets new clipping rectangle, when clipRect.isEmpty == true -- means no clipping. @property void intersectClipRect(const ref Rect rect) { if (_clipRect.empty) _clipRect = rect; else _clipRect.intersect(rect); _clipRect.intersect(Rect(0, 0, width, height)); } /// apply clipRect and buffer bounds clipping to rectangle bool applyClipping(ref Rect rc) { if (!_clipRect.empty()) rc.intersect(_clipRect); if (rc.left < 0) rc.left = 0; if (rc.top < 0) rc.top = 0; if (rc.right > width) rc.right = width; if (rc.bottom > height) rc.bottom = height; return !rc.empty(); } /// apply clipRect and buffer bounds clipping to rectangle; if clippinup applied to first rectangle, reduce second rectangle bounds proportionally. bool applyClipping(ref Rect rc, ref Rect rc2) { if (rc.empty || rc2.empty) return false; if (!_clipRect.empty()) if (!rc.intersects(_clipRect)) return false; if (rc.width == rc2.width && rc.height == rc2.height) { // unscaled if (!_clipRect.empty()) { if (rc.left < _clipRect.left) { rc2.left += _clipRect.left - rc.left; rc.left = _clipRect.left; } if (rc.top < _clipRect.top) { rc2.top += _clipRect.top - rc.top; rc.top = _clipRect.top; } if (rc.right > _clipRect.right) { rc2.right -= rc.right - _clipRect.right; rc.right = _clipRect.right; } if (rc.bottom > _clipRect.bottom) { rc2.bottom -= rc.bottom - _clipRect.bottom; rc.bottom = _clipRect.bottom; } } if (rc.left < 0) { rc2.left += -rc.left; rc.left = 0; } if (rc.top < 0) { rc2.top += -rc.top; rc.top = 0; } if (rc.right > width) { rc2.right -= rc.right - width; rc.right = width; } if (rc.bottom > height) { rc2.bottom -= rc.bottom - height; rc.bottom = height; } } else { // scaled int dstdx = rc.width; int dstdy = rc.height; int srcdx = rc2.width; int srcdy = rc2.height; if (!_clipRect.empty()) { if (rc.left < _clipRect.left) { rc2.left += (_clipRect.left - rc.left) * srcdx / dstdx; rc.left = _clipRect.left; } if (rc.top < _clipRect.top) { rc2.top += (_clipRect.top - rc.top) * srcdy / dstdy; rc.top = _clipRect.top; } if (rc.right > _clipRect.right) { rc2.right -= (rc.right - _clipRect.right) * srcdx / dstdx; rc.right = _clipRect.right; } if (rc.bottom > _clipRect.bottom) { rc2.bottom -= (rc.bottom - _clipRect.bottom) * srcdy / dstdy; rc.bottom = _clipRect.bottom; } } if (rc.left < 0) { rc2.left -= (rc.left) * srcdx / dstdx; rc.left = 0; } if (rc.top < 0) { rc2.top -= (rc.top) * srcdy / dstdy; rc.top = 0; } if (rc.right > width) { rc2.right -= (rc.right - width) * srcdx / dstdx; rc.right = width; } if (rc.bottom > height) { rc2.bottom -= (rc.bottom - height) * srcdx / dstdx; rc.bottom = height; } } return !rc.empty() && !rc2.empty(); } /// reserved for hardware-accelerated drawing - begins drawing batch void beforeDrawing() { _alpha = 0; } /// reserved for hardware-accelerated drawing - ends drawing batch void afterDrawing() { } /// returns buffer bits per pixel @property int bpp() { return 0; } // returns pointer to ARGB scanline, null if y is out of range or buffer doesn't provide access to its memory //uint * scanLine(int y) { return null; } /// resize buffer abstract void resize(int width, int height); //======================================================== // Drawing methods. /// fill the whole buffer with solid color (no clipping applied) abstract void fill(uint color); /// fill rectangle with solid color (clipping is applied) abstract void fillRect(Rect rc, uint color); /// draw 8bit alpha image - usually font glyph using specified color (clipping is applied) abstract void drawGlyph(int x, int y, Glyph * glyph, uint color); /// draw source buffer rectangle contents to destination buffer abstract void drawFragment(int x, int y, DrawBuf src, Rect srcrect); /// draw source buffer rectangle contents to destination buffer rectangle applying rescaling abstract void drawRescaled(Rect dstrect, DrawBuf src, Rect srcrect); /// draw unscaled image at specified coordinates void drawImage(int x, int y, DrawBuf src) { drawFragment(x, y, src, Rect(0, 0, src.width, src.height)); } /// draws rectangle frame of specified color and widths (per side), and optinally fills inner area void drawFrame(Rect rc, uint frameColor, Rect frameSideWidths, uint innerAreaColor = 0xFFFFFFFF) { // draw frame if (!isFullyTransparentColor(frameColor)) { Rect r; // left side r = rc; r.right = r.left + frameSideWidths.left; if (!r.empty) fillRect(r, frameColor); // right side r = rc; r.left = r.right - frameSideWidths.right; if (!r.empty) fillRect(r, frameColor); // top side r = rc; r.left += frameSideWidths.left; r.right -= frameSideWidths.right; Rect rc2 = r; rc2.bottom = r.top + frameSideWidths.top; if (!rc2.empty) fillRect(rc2, frameColor); // bottom side rc2 = r; rc2.top = r.bottom - frameSideWidths.bottom; if (!rc2.empty) fillRect(rc2, frameColor); } // draw internal area if (!isFullyTransparentColor(innerAreaColor)) { rc.left += frameSideWidths.left; rc.top += frameSideWidths.top; rc.right -= frameSideWidths.right; rc.bottom -= frameSideWidths.bottom; if (!rc.empty) fillRect(rc, innerAreaColor); } } /// create drawbuf with copy of current buffer with changed colors (returns this if not supported) DrawBuf transformColors(ref ColorTransform transform) { return this; } void clear() {} } alias DrawBufRef = Ref!DrawBuf; /// RAII setting/restoring of clip rectangle struct ClipRectSaver { private DrawBuf _buf; private Rect _oldClipRect; private uint _oldAlpha; /// apply (intersect) new clip rectangle and alpha to draw buf; restore this(DrawBuf buf, ref Rect newClipRect, uint newAlpha = 0) { _buf = buf; _oldClipRect = buf.clipRect; _oldAlpha = buf.alpha; buf.intersectClipRect(newClipRect); if (newAlpha) buf.addAlpha(newAlpha); } ~this() { _buf.clipRect = _oldClipRect; _buf.alpha = _oldAlpha; } } class ColorDrawBufBase : DrawBuf { int _dx; int _dy; /// returns buffer bits per pixel override @property int bpp() { return 32; } @property override int width() { return _dx; } @property override int height() { return _dy; } /// returns pointer to ARGB scanline, null if y is out of range or buffer doesn't provide access to its memory uint * scanLine(int y) { return null; } /// draw source buffer rectangle contents to destination buffer override void drawFragment(int x, int y, DrawBuf src, Rect srcrect) { Rect dstrect = Rect(x, y, x + srcrect.width, y + srcrect.height); if (applyClipping(dstrect, srcrect)) { if (src.applyClipping(srcrect, dstrect)) { int dx = srcrect.width; int dy = srcrect.height; ColorDrawBufBase colorDrawBuf = cast(ColorDrawBufBase) src; if (colorDrawBuf !is null) { for (int yy = 0; yy < dy; yy++) { uint * srcrow = colorDrawBuf.scanLine(srcrect.top + yy) + srcrect.left; uint * dstrow = scanLine(dstrect.top + yy) + dstrect.left; for (int i = 0; i < dx; i++) { uint pixel = srcrow[i]; uint alpha = blendAlpha(_alpha, pixel >> 24); if (!alpha) dstrow[i] = pixel; else if (alpha < 255) { // apply blending dstrow[i] = blendARGB(dstrow[i], pixel, alpha); } } } } } } } /// Create mapping of source coordinates to destination coordinates, for resize. private int[] createMap(int dst0, int dst1, int src0, int src1) { int dd = dst1 - dst0; int sd = src1 - src0; int[] res = new int[dd]; for (int i = 0; i < dd; i++) res[i] = src0 + i * sd / dd; return res; } /// draw source buffer rectangle contents to destination buffer rectangle applying rescaling override void drawRescaled(Rect dstrect, DrawBuf src, Rect srcrect) { //Log.d("drawRescaled ", dstrect, " <- ", srcrect); if (applyClipping(dstrect, srcrect)) { int[] xmap = createMap(dstrect.left, dstrect.right, srcrect.left, srcrect.right); int[] ymap = createMap(dstrect.top, dstrect.bottom, srcrect.top, srcrect.bottom); int dx = dstrect.width; int dy = dstrect.height; ColorDrawBufBase colorDrawBuf = cast(ColorDrawBufBase) src; if (colorDrawBuf !is null) { for (int y = 0; y < dy; y++) { uint * srcrow = colorDrawBuf.scanLine(ymap[y]); uint * dstrow = scanLine(dstrect.top + y) + dstrect.left; for (int x = 0; x < dx; x++) { uint srcpixel = srcrow[xmap[x]]; uint dstpixel = dstrow[x]; uint alpha = blendAlpha(_alpha, srcpixel >> 24); if (!alpha) dstrow[x] = srcpixel; else if (alpha < 255) { // apply blending dstrow[x] = blendARGB(dstpixel, srcpixel, alpha); } } } } } } /// detect position of black pixels in row for 9-patch markup private bool detectHLine(int y, ref int x0, ref int x1) { uint * line = scanLine(y); bool foundUsed = false; x0 = 0; x1 = 0; for (int x = 1; x < _dx - 1; x++) { if (isBlackPixel(line[x])) { // opaque black pixel if (!foundUsed) { x0 = x; foundUsed = true; } x1 = x + 1; } } return x1 > x0; } static bool isBlackPixel(uint c) { if (((c >> 24) & 255) > 10) return false; if (((c >> 16) & 255) > 10) return false; if (((c >> 8) & 255) > 10) return false; if (((c >> 0) & 255) > 10) return false; return true; } /// detect position of black pixels in column for 9-patch markup private bool detectVLine(int x, ref int y0, ref int y1) { bool foundUsed = false; y0 = 0; y1 = 0; for (int y = 1; y < _dy - 1; y++) { uint * line = scanLine(y); if (isBlackPixel(line[x])) { // opaque black pixel if (!foundUsed) { y0 = y; foundUsed = true; } y1 = y + 1; } } return y1 > y0; } /// detect nine patch using image 1-pixel border (see Android documentation) override bool detectNinePatch() { if (_dx < 3 || _dy < 3) return false; // image is too small int x00, x01, x10, x11, y00, y01, y10, y11; bool found = true; found = found && detectHLine(0, x00, x01); found = found && detectHLine(_dy - 1, x10, x11); found = found && detectVLine(0, y00, y01); found = found && detectVLine(_dx - 1, y10, y11); if (!found) return false; // no black pixels on 1-pixel frame NinePatch * p = new NinePatch(); p.frame.left = x00 - 1; p.frame.right = _dx - x01 - 1; p.frame.top = y00 - 1; p.frame.bottom = _dy - y01 - 1; p.padding.left = x10 - 1; p.padding.right = _dx - x11 - 1; p.padding.top = y10 - 1; p.padding.bottom = _dy - y11 - 1; _ninePatch = p; //Log.d("NinePatch detected: frame=", p.frame, " padding=", p.padding, " left+right=", p.frame.left + p.frame.right, " dx=", _dx); return true; } override void drawGlyph(int x, int y, Glyph * glyph, uint color) { ubyte[] src = glyph.glyph; int srcdx = glyph.blackBoxX; int srcdy = glyph.blackBoxY; bool clipping = !_clipRect.empty(); color = applyAlpha(color); for (int yy = 0; yy < srcdy; yy++) { int liney = y + yy; if (clipping && (liney < _clipRect.top || liney >= _clipRect.bottom)) continue; if (liney < 0 || liney >= _dy) continue; uint * row = scanLine(liney); ubyte * srcrow = src.ptr + yy * srcdx; for (int xx = 0; xx < srcdx; xx++) { int colx = xx + x; if (clipping && (colx < _clipRect.left || colx >= _clipRect.right)) continue; if (colx < 0 || colx >= _dx) continue; uint alpha1 = srcrow[xx] ^ 255; uint alpha2 = (color >> 24); uint alpha = ((((alpha1 ^ 255) * (alpha2 ^ 255)) >> 8) ^ 255) & 255; uint pixel = row[colx]; if (!alpha) row[colx] = pixel; else if (alpha < 255) { // apply blending row[colx] = blendARGB(pixel, color, alpha); } } } } override void fillRect(Rect rc, uint color) { if (applyClipping(rc)) { for (int y = rc.top; y < rc.bottom; y++) { uint * row = scanLine(y); uint alpha = color >> 24; for (int x = rc.left; x < rc.right; x++) { if (!alpha) row[x] = color; else if (alpha < 255) { // apply blending row[x] = blendARGB(row[x], color, alpha); } } } } } } class GrayDrawBuf : DrawBuf { int _dx; int _dy; /// returns buffer bits per pixel override @property int bpp() { return 8; } @property override int width() { return _dx; } @property override int height() { return _dy; } ubyte[] _buf; this(int width, int height) { resize(width, height); } ubyte * scanLine(int y) { if (y >= 0 && y < _dy) return _buf.ptr + _dx * y; return null; } override void resize(int width, int height) { if (_dx == width && _dy == height) return; _dx = width; _dy = height; _buf.length = _dx * _dy; } override void fill(uint color) { int len = _dx * _dy; ubyte * p = _buf.ptr; ubyte cl = rgbToGray(color); for (int i = 0; i < len; i++) p[i] = cl; } /// draw source buffer rectangle contents to destination buffer override void drawFragment(int x, int y, DrawBuf src, Rect srcrect) { Rect dstrect = Rect(x, y, x + srcrect.width, y + srcrect.height); if (applyClipping(dstrect, srcrect)) { if (src.applyClipping(srcrect, dstrect)) { int dx = srcrect.width; int dy = srcrect.height; GrayDrawBuf grayDrawBuf = cast (GrayDrawBuf) src; if (grayDrawBuf !is null) { for (int yy = 0; yy < dy; yy++) { ubyte * srcrow = grayDrawBuf.scanLine(srcrect.top + yy) + srcrect.left; ubyte * dstrow = scanLine(dstrect.top + yy) + dstrect.left; for (int i = 0; i < dx; i++) { ubyte pixel = srcrow[i]; dstrow[i] = pixel; } } } } } } /// Create mapping of source coordinates to destination coordinates, for resize. private int[] createMap(int dst0, int dst1, int src0, int src1) { int dd = dst1 - dst0; int sd = src1 - src0; int[] res = new int[dd]; for (int i = 0; i < dd; i++) res[i] = src0 + i * sd / dd; return res; } /// draw source buffer rectangle contents to destination buffer rectangle applying rescaling override void drawRescaled(Rect dstrect, DrawBuf src, Rect srcrect) { //Log.d("drawRescaled ", dstrect, " <- ", srcrect); if (applyClipping(dstrect, srcrect)) { int[] xmap = createMap(dstrect.left, dstrect.right, srcrect.left, srcrect.right); int[] ymap = createMap(dstrect.top, dstrect.bottom, srcrect.top, srcrect.bottom); int dx = dstrect.width; int dy = dstrect.height; GrayDrawBuf grayDrawBuf = cast (GrayDrawBuf) src; if (grayDrawBuf !is null) { for (int y = 0; y < dy; y++) { ubyte * srcrow = grayDrawBuf.scanLine(ymap[y]); ubyte * dstrow = scanLine(dstrect.top + y) + dstrect.left; for (int x = 0; x < dx; x++) { ubyte srcpixel = srcrow[xmap[x]]; ubyte dstpixel = dstrow[x]; dstrow[x] = srcpixel; } } } } } /// detect position of black pixels in row for 9-patch markup private bool detectHLine(int y, ref int x0, ref int x1) { ubyte * line = scanLine(y); bool foundUsed = false; x0 = 0; x1 = 0; for (int x = 1; x < _dx - 1; x++) { if (line[x] == 0x00000000) { // opaque black pixel if (!foundUsed) { x0 = x; foundUsed = true; } x1 = x + 1; } } return x1 > x0; } /// detect position of black pixels in column for 9-patch markup private bool detectVLine(int x, ref int y0, ref int y1) { bool foundUsed = false; y0 = 0; y1 = 0; for (int y = 1; y < _dy - 1; y++) { ubyte * line = scanLine(y); if (line[x] == 0x00000000) { // opaque black pixel if (!foundUsed) { y0 = y; foundUsed = true; } y1 = y + 1; } } return y1 > y0; } /// detect nine patch using image 1-pixel border (see Android documentation) override bool detectNinePatch() { if (_dx < 3 || _dy < 3) return false; // image is too small int x00, x01, x10, x11, y00, y01, y10, y11; bool found = true; found = found && detectHLine(0, x00, x01); found = found && detectHLine(_dy - 1, x10, x11); found = found && detectVLine(0, y00, y01); found = found && detectVLine(_dx - 1, y10, y11); if (!found) return false; // no black pixels on 1-pixel frame NinePatch * p = new NinePatch(); p.frame.left = x00 - 1; p.frame.right = _dy - y01 - 1; p.frame.top = y00 - 1; p.frame.bottom = _dy - y01 - 1; p.padding.left = x10 - 1; p.padding.right = _dy - y11 - 1; p.padding.top = y10 - 1; p.padding.bottom = _dy - y11 - 1; _ninePatch = p; return true; } override void drawGlyph(int x, int y, Glyph * glyph, uint color) { ubyte[] src = glyph.glyph; int srcdx = glyph.blackBoxX; int srcdy = glyph.blackBoxY; bool clipping = !_clipRect.empty(); ubyte cl = cast(ubyte)(color & 255); for (int yy = 0; yy < srcdy; yy++) { int liney = y + yy; if (clipping && (liney < _clipRect.top || liney >= _clipRect.bottom)) continue; if (liney < 0 || liney >= _dy) continue; ubyte * row = scanLine(liney); ubyte * srcrow = src.ptr + yy * srcdx; for (int xx = 0; xx < srcdx; xx++) { int colx = xx + x; if (clipping && (colx < _clipRect.left || colx >= _clipRect.right)) continue; if (colx < 0 || colx >= _dx) continue; uint alpha1 = srcrow[xx] ^ 255; uint alpha2 = (color >> 24); uint alpha = ((((alpha1 ^ 255) * (alpha2 ^ 255)) >> 8) ^ 255) & 255; uint pixel = row[colx]; if (!alpha) row[colx] = cast(ubyte)pixel; else if (alpha < 255) { // apply blending row[colx] = cast(ubyte)blendARGB(pixel, color, alpha); } } } } override void fillRect(Rect rc, uint color) { ubyte cl = rgbToGray(color); if (applyClipping(rc)) { for (int y = rc.top; y < rc.bottom; y++) { ubyte * row = scanLine(y); uint alpha = color >> 24; for (int x = rc.left; x < rc.right; x++) { if (!alpha) row[x] = cl; else if (alpha < 255) { // apply blending row[x] = blendGray(row[x], cl, alpha); } } } } } } class ColorDrawBuf : ColorDrawBufBase { uint[] _buf; /// create ARGB8888 draw buf of specified width and height this(int width, int height) { resize(width, height); } /// create copy of ColorDrawBuf this(ColorDrawBuf v) { this(v.width, v.height); //_buf.length = v._buf.length; for (int i = 0; i < _buf.length; i++) _buf[i] = v._buf[i]; } /// create resized copy of ColorDrawBuf this(ColorDrawBuf v, int dx, int dy) { this(dx, dy); fill(0xFFFFFFFF); drawRescaled(Rect(0, 0, dx, dy), v, Rect(0, 0, v.width, v.height)); } void invertAlpha() { foreach(pixel; _buf) pixel ^= 0xFF000000; } override uint * scanLine(int y) { if (y >= 0 && y < _dy) return _buf.ptr + _dx * y; return null; } override void resize(int width, int height) { if (_dx == width && _dy == height) return; _dx = width; _dy = height; _buf.length = _dx * _dy; } override void fill(uint color) { int len = _dx * _dy; uint * p = _buf.ptr; for (int i = 0; i < len; i++) p[i] = color; } override DrawBuf transformColors(ref ColorTransform transform) { if (transform.empty) return this; bool skipFrame = hasNinePatch; ColorDrawBuf res = new ColorDrawBuf(_dx, _dy); if (hasNinePatch) { NinePatch * p = new NinePatch; *p = *_ninePatch; res.ninePatch = p; } for (int y = 0; y < _dy; y++) { uint * srcline = scanLine(y); uint * dstline = res.scanLine(y); bool allowTransformY = !skipFrame || (y !=0 && y != _dy - 1); for (int x = 0; x < _dx; x++) { bool allowTransformX = !skipFrame || (x !=0 && x != _dx - 1); if (!allowTransformX || !allowTransformY) dstline[x] = srcline[x]; else dstline[x] = transform.transform(srcline[x]); } } return res; } }
D
// Written in the D programming language. /** * Contains the elementary mathematical functions (powers, roots, * and trigonometric functions), and low-level floating-point operations. * Mathematical special functions are available in $(D std.mathspecial). * $(SCRIPT inhibitQuickIndex = 1;) $(DIVC quickindex, $(BOOKTABLE , $(TR $(TH Category) $(TH Members) ) $(TR $(TDNW Constants) $(TD $(MYREF E) $(MYREF PI) $(MYREF PI_2) $(MYREF PI_4) $(MYREF M_1_PI) $(MYREF M_2_PI) $(MYREF M_2_SQRTPI) $(MYREF LN10) $(MYREF LN2) $(MYREF LOG2) $(MYREF LOG2E) $(MYREF LOG2T) $(MYREF LOG10E) $(MYREF SQRT2) $(MYREF SQRT1_2) )) $(TR $(TDNW Classics) $(TD $(MYREF abs) $(MYREF fabs) $(MYREF sqrt) $(MYREF cbrt) $(MYREF hypot) $(MYREF poly) )) $(TR $(TDNW Trigonometry) $(TD $(MYREF sin) $(MYREF cos) $(MYREF tan) $(MYREF asin) $(MYREF acos) $(MYREF atan) $(MYREF atan2) $(MYREF sinh) $(MYREF cosh) $(MYREF tanh) $(MYREF asinh) $(MYREF acosh) $(MYREF atanh) $(MYREF expi) )) $(TR $(TDNW Rounding) $(TD $(MYREF ceil) $(MYREF floor) $(MYREF round) $(MYREF lround) $(MYREF trunc) $(MYREF rint) $(MYREF lrint) $(MYREF nearbyint) $(MYREF rndtol) )) $(TR $(TDNW Exponentiation & Logarithms) $(TD $(MYREF pow) $(MYREF exp) $(MYREF exp2) $(MYREF expm1) $(MYREF ldexp) $(MYREF frexp) $(MYREF log) $(MYREF log2) $(MYREF log10) $(MYREF logb) $(MYREF ilogb) $(MYREF log1p) $(MYREF scalbn) )) $(TR $(TDNW Modulus) $(TD $(MYREF fmod) $(MYREF modf) $(MYREF remainder) )) $(TR $(TDNW Floating-point operations) $(TD $(MYREF approxEqual) $(MYREF feqrel) $(MYREF fdim) $(MYREF fmax) $(MYREF fmin) $(MYREF fma) $(MYREF nextDown) $(MYREF nextUp) $(MYREF nextafter) $(MYREF NaN) $(MYREF getNaNPayload) $(MYREF cmp) )) $(TR $(TDNW Introspection) $(TD $(MYREF isFinite) $(MYREF isIdentical) $(MYREF isInfinity) $(MYREF isNaN) $(MYREF isNormal) $(MYREF isSubnormal) $(MYREF signbit) $(MYREF sgn) $(MYREF copysign) )) $(TR $(TDNW Complex Numbers) $(TD $(MYREF abs) $(MYREF conj) $(MYREF sin) $(MYREF cos) $(MYREF expi) )) $(TR $(TDNW Hardware Control) $(TD $(MYREF IeeeFlags) $(MYREF FloatingPointControl) )) ) ) * The functionality closely follows the IEEE754-2008 standard for * floating-point arithmetic, including the use of camelCase names rather * than C99-style lower case names. All of these functions behave correctly * when presented with an infinity or NaN. * * The following IEEE 'real' formats are currently supported: * $(UL * $(LI 64 bit Big-endian 'double' (eg PowerPC)) * $(LI 128 bit Big-endian 'quadruple' (eg SPARC)) * $(LI 64 bit Little-endian 'double' (eg x86-SSE2)) * $(LI 80 bit Little-endian, with implied bit 'real80' (eg x87, Itanium)) * $(LI 128 bit Little-endian 'quadruple' (not implemented on any known processor!)) * $(LI Non-IEEE 128 bit Big-endian 'doubledouble' (eg PowerPC) has partial support) * ) * Unlike C, there is no global 'errno' variable. Consequently, almost all of * these functions are pure nothrow. * * Status: * The semantics and names of feqrel and approxEqual will be revised. * * Macros: * WIKI = Phobos/StdMath * * TABLE_SV = <table border="1" cellpadding="4" cellspacing="0"> * <caption>Special Values</caption> * $0</table> * SVH = $(TR $(TH $1) $(TH $2)) * SV = $(TR $(TD $1) $(TD $2)) * TH3 = $(TR $(TH $1) $(TH $2) $(TH $3)) * TD3 = $(TR $(TD $1) $(TD $2) $(TD $3)) * * NAN = $(RED NAN) * SUP = <span style="vertical-align:super;font-size:smaller">$0</span> * GAMMA = &#915; * THETA = &theta; * INTEGRAL = &#8747; * INTEGRATE = $(BIG &#8747;<sub>$(SMALL $1)</sub><sup>$2</sup>) * POWER = $1<sup>$2</sup> * SUB = $1<sub>$2</sub> * BIGSUM = $(BIG &Sigma; <sup>$2</sup><sub>$(SMALL $1)</sub>) * CHOOSE = $(BIG &#40;) <sup>$(SMALL $1)</sup><sub>$(SMALL $2)</sub> $(BIG &#41;) * PLUSMN = &plusmn; * INFIN = &infin; * PLUSMNINF = &plusmn;&infin; * PI = &pi; * LT = &lt; * GT = &gt; * SQRT = &radic; * HALF = &frac12; * * Copyright: Copyright Digital Mars 2000 - 2011. * D implementations of tan, atan, atan2, exp, expm1, exp2, log, log10, log1p, * log2, floor, ceil and lrint functions are based on the CEPHES math library, * which is Copyright (C) 2001 Stephen L. Moshier $(LT)steve@moshier.net$(GT) * and are incorporated herein by permission of the author. The author * reserves the right to distribute this material elsewhere under different * copying permissions. These modifications are distributed here under * the following terms: * License: $(WEB www.boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: $(WEB digitalmars.com, Walter Bright), Don Clugston, * Conversion of CEPHES math library to D by Iain Buclaw * Source: $(PHOBOSSRC std/_math.d) */ module std.math; version (Win64) { version (D_InlineAsm_X86_64) version = Win64_DMD_InlineAsm; } import core.math; import core.stdc.math; import std.traits; version(LDC) { import ldc.intrinsics; } version(DigitalMars) { version = INLINE_YL2X; // x87 has opcodes for these } version (X86) version = X86_Any; version (X86_64) version = X86_Any; version (PPC) version = PPC_Any; version (PPC64) version = PPC_Any; version(D_InlineAsm_X86) { version = InlineAsm_X86_Any; } else version(D_InlineAsm_X86_64) { version = InlineAsm_X86_Any; } version(unittest) { import core.stdc.stdio; static if(real.sizeof > double.sizeof) enum uint useDigits = 16; else enum uint useDigits = 15; /****************************************** * Compare floating point numbers to n decimal digits of precision. * Returns: * 1 match * 0 nomatch */ private bool equalsDigit(real x, real y, uint ndigits) { if (signbit(x) != signbit(y)) return 0; if (isInfinity(x) && isInfinity(y)) return 1; if (isInfinity(x) || isInfinity(y)) return 0; if (isNaN(x) && isNaN(y)) return 1; if (isNaN(x) || isNaN(y)) return 0; char[30] bufx; char[30] bufy; assert(ndigits < bufx.length); int ix; int iy; version(CRuntime_Microsoft) alias real_t = double; else alias real_t = real; ix = sprintf(bufx.ptr, "%.*Lg", ndigits, cast(real_t) x); iy = sprintf(bufy.ptr, "%.*Lg", ndigits, cast(real_t) y); assert(ix < bufx.length && ix > 0); assert(ix < bufy.length && ix > 0); return bufx[0 .. ix] == bufy[0 .. iy]; } } package: // The following IEEE 'real' formats are currently supported. version(LittleEndian) { static assert(real.mant_dig == 53 || real.mant_dig == 64 || real.mant_dig == 113, "Only 64-bit, 80-bit, and 128-bit reals"~ " are supported for LittleEndian CPUs"); } else { static assert(real.mant_dig == 53 || real.mant_dig == 106 || real.mant_dig == 113, "Only 64-bit and 128-bit reals are supported for BigEndian CPUs."~ " double-double reals have partial support"); } // Underlying format exposed through floatTraits enum RealFormat { ieeeHalf, ieeeSingle, ieeeDouble, ieeeExtended, // x87 80-bit real ieeeExtended53, // x87 real rounded to precision of double. ibmExtended, // IBM 128-bit extended ieeeQuadruple, } // Constants used for extracting the components of the representation. // They supplement the built-in floating point properties. template floatTraits(T) { // EXPMASK is a ushort mask to select the exponent portion (without sign) // EXPSHIFT is the number of bits the exponent is left-shifted by in its ushort // EXPPOS_SHORT is the index of the exponent when represented as a ushort array. // SIGNPOS_BYTE is the index of the sign when represented as a ubyte array. // RECIP_EPSILON is the value such that (smallest_subnormal) * RECIP_EPSILON == T.min_normal enum T RECIP_EPSILON = (1/T.epsilon); static if (T.mant_dig == 24) { // Single precision float enum ushort EXPMASK = 0x7F80; enum ushort EXPSHIFT = 7; enum ushort EXPBIAS = 0x3F00; enum uint EXPMASK_INT = 0x7F80_0000; enum uint MANTISSAMASK_INT = 0x007F_FFFF; enum realFormat = RealFormat.ieeeSingle; version(LittleEndian) { enum EXPPOS_SHORT = 1; enum SIGNPOS_BYTE = 3; } else { enum EXPPOS_SHORT = 0; enum SIGNPOS_BYTE = 0; } } else static if (T.mant_dig == 53) { static if (T.sizeof == 8) { // Double precision float, or real == double enum ushort EXPMASK = 0x7FF0; enum ushort EXPSHIFT = 4; enum ushort EXPBIAS = 0x3FE0; enum uint EXPMASK_INT = 0x7FF0_0000; enum uint MANTISSAMASK_INT = 0x000F_FFFF; // for the MSB only enum realFormat = RealFormat.ieeeDouble; version(LittleEndian) { enum EXPPOS_SHORT = 3; enum SIGNPOS_BYTE = 7; } else { enum EXPPOS_SHORT = 0; enum SIGNPOS_BYTE = 0; } } else static if (T.sizeof == 12) { // Intel extended real80 rounded to double enum ushort EXPMASK = 0x7FFF; enum ushort EXPSHIFT = 0; enum ushort EXPBIAS = 0x3FFE; enum realFormat = RealFormat.ieeeExtended53; version(LittleEndian) { enum EXPPOS_SHORT = 4; enum SIGNPOS_BYTE = 9; } else { enum EXPPOS_SHORT = 0; enum SIGNPOS_BYTE = 0; } } else static assert(false, "No traits support for " ~ T.stringof); } else static if (T.mant_dig == 64) { // Intel extended real80 enum ushort EXPMASK = 0x7FFF; enum ushort EXPSHIFT = 0; enum ushort EXPBIAS = 0x3FFE; enum realFormat = RealFormat.ieeeExtended; version(LittleEndian) { enum EXPPOS_SHORT = 4; enum SIGNPOS_BYTE = 9; } else { enum EXPPOS_SHORT = 0; enum SIGNPOS_BYTE = 0; } } else static if (T.mant_dig == 113) { // Quadruple precision float enum ushort EXPMASK = 0x7FFF; enum ushort EXPSHIFT = 0; enum ushort EXPBIAS = 0x3FFF; enum realFormat = RealFormat.ieeeQuadruple; version(LittleEndian) { enum EXPPOS_SHORT = 7; enum SIGNPOS_BYTE = 15; } else { enum EXPPOS_SHORT = 0; enum SIGNPOS_BYTE = 0; } } else static if (T.mant_dig == 106) { // IBM Extended doubledouble enum ushort EXPMASK = 0x7FF0; enum ushort EXPSHIFT = 4; enum realFormat = RealFormat.ibmExtended; // the exponent byte is not unique version(LittleEndian) { enum EXPPOS_SHORT = 7; // [3] is also an exp short enum SIGNPOS_BYTE = 15; } else { enum EXPPOS_SHORT = 0; // [4] is also an exp short enum SIGNPOS_BYTE = 0; } } else static assert(false, "No traits support for " ~ T.stringof); } // These apply to all floating-point types version(LittleEndian) { enum MANTISSA_LSB = 0; enum MANTISSA_MSB = 1; } else { enum MANTISSA_LSB = 1; enum MANTISSA_MSB = 0; } // Common code for math implementations. // Helper for floor/ceil T floorImpl(T)(const T x) @trusted pure nothrow @nogc { alias F = floatTraits!(T); // Take care not to trigger library calls from the compiler, // while ensuring that we don't get defeated by some optimizers. union floatBits { T rv; ushort[T.sizeof/2] vu; } floatBits y = void; y.rv = x; // Find the exponent (power of 2) static if (F.realFormat == RealFormat.ieeeSingle) { int exp = ((y.vu[F.EXPPOS_SHORT] >> 7) & 0xff) - 0x7f; version (LittleEndian) int pos = 0; else int pos = 3; } else static if (F.realFormat == RealFormat.ieeeDouble) { int exp = ((y.vu[F.EXPPOS_SHORT] >> 4) & 0x7ff) - 0x3ff; version (LittleEndian) int pos = 0; else int pos = 3; } else static if (F.realFormat == RealFormat.ieeeExtended) { int exp = (y.vu[F.EXPPOS_SHORT] & 0x7fff) - 0x3fff; version (LittleEndian) int pos = 0; else int pos = 4; } else static if (F.realFormat == RealFormat.ieeeQuadruple) { int exp = (y.vu[F.EXPPOS_SHORT] & 0x7fff) - 0x3fff; version (LittleEndian) int pos = 0; else int pos = 7; } else static assert(false, "Not implemented for this architecture"); if (exp < 0) { if (x < 0.0) return -1.0; else return 0.0; } exp = (T.mant_dig - 1) - exp; // Zero 16 bits at a time. while (exp >= 16) { version (LittleEndian) y.vu[pos++] = 0; else y.vu[pos--] = 0; exp -= 16; } // Clear the remaining bits. if (exp > 0) y.vu[pos] &= 0xffff ^ ((1 << exp) - 1); if ((x < 0.0) && (x != y.rv)) y.rv -= 1.0; return y.rv; } public: // Values obtained from Wolfram Alpha. 116 bits ought to be enough for anybody. // Wolfram Alpha LLC. 2011. Wolfram|Alpha. http://www.wolframalpha.com/input/?i=e+in+base+16 (access July 6, 2011). enum real E = 0x1.5bf0a8b1457695355fb8ac404e7a8p+1L; /** e = 2.718281... */ enum real LOG2T = 0x1.a934f0979a3715fc9257edfe9b5fbp+1L; /** $(SUB log, 2)10 = 3.321928... */ enum real LOG2E = 0x1.71547652b82fe1777d0ffda0d23a8p+0L; /** $(SUB log, 2)e = 1.442695... */ enum real LOG2 = 0x1.34413509f79fef311f12b35816f92p-2L; /** $(SUB log, 10)2 = 0.301029... */ enum real LOG10E = 0x1.bcb7b1526e50e32a6ab7555f5a67cp-2L; /** $(SUB log, 10)e = 0.434294... */ enum real LN2 = 0x1.62e42fefa39ef35793c7673007e5fp-1L; /** ln 2 = 0.693147... */ enum real LN10 = 0x1.26bb1bbb5551582dd4adac5705a61p+1L; /** ln 10 = 2.302585... */ enum real PI = 0x1.921fb54442d18469898cc51701b84p+1L; /** $(_PI) = 3.141592... */ enum real PI_2 = PI/2; /** $(PI) / 2 = 1.570796... */ enum real PI_4 = PI/4; /** $(PI) / 4 = 0.785398... */ enum real M_1_PI = 0x1.45f306dc9c882a53f84eafa3ea69cp-2L; /** 1 / $(PI) = 0.318309... */ enum real M_2_PI = 2*M_1_PI; /** 2 / $(PI) = 0.636619... */ enum real M_2_SQRTPI = 0x1.20dd750429b6d11ae3a914fed7fd8p+0L; /** 2 / $(SQRT)$(PI) = 1.128379... */ enum real SQRT2 = 0x1.6a09e667f3bcc908b2fb1366ea958p+0L; /** $(SQRT)2 = 1.414213... */ enum real SQRT1_2 = SQRT2/2; /** $(SQRT)$(HALF) = 0.707106... */ // Note: Make sure the magic numbers in compiler backend for x87 match these. /*********************************** * Calculates the absolute value of a number * * Params: * Num = (template parameter) type of number * x = real number value * z = complex number value * y = imaginary number value * * Returns: * The absolute value of the number. If floating-point or integral, * the return type will be the same as the input; if complex or * imaginary, the returned value will be the corresponding floating * point type. * * For complex numbers, abs(z) = sqrt( $(POWER z.re, 2) + $(POWER z.im, 2) ) * = hypot(z.re, z.im). */ Num abs(Num)(Num x) @safe pure nothrow if (is(typeof(Num.init >= 0)) && is(typeof(-Num.init)) && !(is(Num* : const(ifloat*)) || is(Num* : const(idouble*)) || is(Num* : const(ireal*)))) { static if (isFloatingPoint!(Num)) return fabs(x); else return x>=0 ? x : -x; } /// ditto auto abs(Num)(Num z) @safe pure nothrow @nogc if (is(Num* : const(cfloat*)) || is(Num* : const(cdouble*)) || is(Num* : const(creal*))) { return hypot(z.re, z.im); } /// ditto auto abs(Num)(Num y) @safe pure nothrow @nogc if (is(Num* : const(ifloat*)) || is(Num* : const(idouble*)) || is(Num* : const(ireal*))) { return fabs(y.im); } /// ditto @safe pure nothrow @nogc unittest { assert(isIdentical(abs(-0.0L), 0.0L)); assert(isNaN(abs(real.nan))); assert(abs(-real.infinity) == real.infinity); assert(abs(-3.2Li) == 3.2L); assert(abs(71.6Li) == 71.6L); assert(abs(-56) == 56); assert(abs(2321312L) == 2321312L); assert(abs(-1L+1i) == sqrt(2.0L)); } @safe pure nothrow @nogc unittest { import std.meta : AliasSeq; foreach (T; AliasSeq!(float, double, real)) { T f = 3; assert(abs(f) == f); assert(abs(-f) == f); } foreach (T; AliasSeq!(cfloat, cdouble, creal)) { T f = -12+3i; assert(abs(f) == hypot(f.re, f.im)); assert(abs(-f) == hypot(f.re, f.im)); } } /*********************************** * Complex conjugate * * conj(x + iy) = x - iy * * Note that z * conj(z) = $(POWER z.re, 2) - $(POWER z.im, 2) * is always a real number */ auto conj(Num)(Num z) @safe pure nothrow @nogc if (is(Num* : const(cfloat*)) || is(Num* : const(cdouble*)) || is(Num* : const(creal*))) { //FIXME //Issue 14206 static if(is(Num* : const(cdouble*))) return cast(cdouble) conj(cast(creal)z); else return z.re - z.im*1fi; } /** ditto */ auto conj(Num)(Num y) @safe pure nothrow @nogc if (is(Num* : const(ifloat*)) || is(Num* : const(idouble*)) || is(Num* : const(ireal*))) { return -y; } /// @safe pure nothrow @nogc unittest { creal c = 7 + 3Li; assert(conj(c) == 7-3Li); ireal z = -3.2Li; assert(conj(z) == -z); } //Issue 14206 @safe pure nothrow @nogc unittest { cdouble c = 7 + 3i; assert(conj(c) == 7-3i); idouble z = -3.2i; assert(conj(z) == -z); } //Issue 14206 @safe pure nothrow @nogc unittest { cfloat c = 7f + 3fi; assert(conj(c) == 7f-3fi); ifloat z = -3.2fi; assert(conj(z) == -z); } /*********************************** * Returns cosine of x. x is in radians. * * $(TABLE_SV * $(TR $(TH x) $(TH cos(x)) $(TH invalid?)) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(NAN)) $(TD yes) ) * ) * Bugs: * Results are undefined if |x| >= $(POWER 2,64). */ real cos(real x) @safe pure nothrow @nogc { pragma(inline, true); return core.math.cos(x); } //FIXME ///ditto double cos(double x) @safe pure nothrow @nogc { return cos(cast(real)x); } //FIXME ///ditto float cos(float x) @safe pure nothrow @nogc { return cos(cast(real)x); } unittest { real function(real) pcos = &cos; assert(pcos != null); } /*********************************** * Returns $(WEB en.wikipedia.org/wiki/Sine, sine) of x. x is in $(WEB en.wikipedia.org/wiki/Radian, radians). * * $(TABLE_SV * $(TH3 x , sin(x) , invalid?) * $(TD3 $(NAN) , $(NAN) , yes ) * $(TD3 $(PLUSMN)0.0, $(PLUSMN)0.0, no ) * $(TD3 $(PLUSMNINF), $(NAN) , yes ) * ) * * Params: * x = angle in radians (not degrees) * Returns: * sine of x * See_Also: * $(MYREF cos), $(MYREF tan), $(MYREF asin) * Bugs: * Results are undefined if |x| >= $(POWER 2,64). */ real sin(real x) @safe pure nothrow @nogc { pragma(inline, true); return core.math.sin(x); } //FIXME ///ditto double sin(double x) @safe pure nothrow @nogc { return sin(cast(real)x); } //FIXME ///ditto float sin(float x) @safe pure nothrow @nogc { return sin(cast(real)x); } /// unittest { import std.math : sin, PI; import std.stdio : writefln; void someFunc() { real x = 30.0; auto result = sin(x * (PI / 180)); // convert degrees to radians writefln("The sine of %s degrees is %s", x, result); } } unittest { real function(real) psin = &sin; assert(psin != null); } /*********************************** * Returns sine for complex and imaginary arguments. * * sin(z) = sin(z.re)*cosh(z.im) + cos(z.re)*sinh(z.im)i * * If both sin($(THETA)) and cos($(THETA)) are required, * it is most efficient to use expi($(THETA)). */ creal sin(creal z) @safe pure nothrow @nogc { creal cs = expi(z.re); creal csh = coshisinh(z.im); return cs.im * csh.re + cs.re * csh.im * 1i; } /** ditto */ ireal sin(ireal y) @safe pure nothrow @nogc { return cosh(y.im)*1i; } /// @safe pure nothrow @nogc unittest { assert(sin(0.0+0.0i) == 0.0); assert(sin(2.0+0.0i) == sin(2.0L) ); } /*********************************** * cosine, complex and imaginary * * cos(z) = cos(z.re)*cosh(z.im) - sin(z.re)*sinh(z.im)i */ creal cos(creal z) @safe pure nothrow @nogc { creal cs = expi(z.re); creal csh = coshisinh(z.im); return cs.re * csh.re - cs.im * csh.im * 1i; } /** ditto */ real cos(ireal y) @safe pure nothrow @nogc { return cosh(y.im); } /// @safe pure nothrow @nogc unittest { assert(cos(0.0+0.0i)==1.0); assert(cos(1.3L+0.0i)==cos(1.3L)); assert(cos(5.2Li)== cosh(5.2L)); } /**************************************************************************** * Returns tangent of x. x is in radians. * * $(TABLE_SV * $(TR $(TH x) $(TH tan(x)) $(TH invalid?)) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD $(NAN)) $(TD yes)) * ) */ real tan(real x) @trusted pure nothrow @nogc { version(D_InlineAsm_X86) { asm pure nothrow @nogc { fld x[EBP] ; // load theta fxam ; // test for oddball values fstsw AX ; sahf ; jc trigerr ; // x is NAN, infinity, or empty // 387's can handle subnormals SC18: fptan ; fstp ST(0) ; // dump X, which is always 1 fstsw AX ; sahf ; jnp Lret ; // C2 = 1 (x is out of range) // Do argument reduction to bring x into range fldpi ; fxch ; SC17: fprem1 ; fstsw AX ; sahf ; jp SC17 ; fstp ST(1) ; // remove pi from stack jmp SC18 ; trigerr: jnp Lret ; // if theta is NAN, return theta fstp ST(0) ; // dump theta } return real.nan; Lret: {} } else version(D_InlineAsm_X86_64) { version (Win64) { asm pure nothrow @nogc { fld real ptr [RCX] ; // load theta } } else { asm pure nothrow @nogc { fld x[RBP] ; // load theta } } asm pure nothrow @nogc { fxam ; // test for oddball values fstsw AX ; test AH,1 ; jnz trigerr ; // x is NAN, infinity, or empty // 387's can handle subnormals SC18: fptan ; fstp ST(0) ; // dump X, which is always 1 fstsw AX ; test AH,4 ; jz Lret ; // C2 = 1 (x is out of range) // Do argument reduction to bring x into range fldpi ; fxch ; SC17: fprem1 ; fstsw AX ; test AH,4 ; jnz SC17 ; fstp ST(1) ; // remove pi from stack jmp SC18 ; trigerr: test AH,4 ; jz Lret ; // if theta is NAN, return theta fstp ST(0) ; // dump theta } return real.nan; Lret: {} } else { // Coefficients for tan(x) static immutable real[3] P = [ -1.7956525197648487798769E7L, 1.1535166483858741613983E6L, -1.3093693918138377764608E4L, ]; static immutable real[5] Q = [ -5.3869575592945462988123E7L, 2.5008380182335791583922E7L, -1.3208923444021096744731E6L, 1.3681296347069295467845E4L, 1.0000000000000000000000E0L, ]; // PI/4 split into three parts. enum real P1 = 7.853981554508209228515625E-1L; enum real P2 = 7.946627356147928367136046290398E-9L; enum real P3 = 3.061616997868382943065164830688E-17L; // Special cases. if (x == 0.0 || isNaN(x)) return x; if (isInfinity(x)) return real.nan; // Make argument positive but save the sign. bool sign = false; if (signbit(x)) { sign = true; x = -x; } // Compute x mod PI/4. real y = floor(x / PI_4); // Strip high bits of integer part. real z = ldexp(y, -4); // Compute y - 16 * (y / 16). z = y - ldexp(floor(z), 4); // Integer and fraction part modulo one octant. int j = cast(int)(z); // Map zeros and singularities to origin. if (j & 1) { j += 1; y += 1.0; } z = ((x - y * P1) - y * P2) - y * P3; real zz = z * z; if (zz > 1.0e-20L) y = z + z * (zz * poly(zz, P) / poly(zz, Q)); else y = z; if (j & 2) y = -1.0 / y; return (sign) ? -y : y; } } @safe nothrow @nogc unittest { static real[2][] vals = // angle,tan [ [ 0, 0], [ .5, .5463024898], [ 1, 1.557407725], [ 1.5, 14.10141995], [ 2, -2.185039863], [ 2.5,-.7470222972], [ 3, -.1425465431], [ 3.5, .3745856402], [ 4, 1.157821282], [ 4.5, 4.637332055], [ 5, -3.380515006], [ 5.5,-.9955840522], [ 6, -.2910061914], [ 6.5, .2202772003], [ 10, .6483608275], // special angles [ PI_4, 1], //[ PI_2, real.infinity], // PI_2 is not _exactly_ pi/2. [ 3*PI_4, -1], [ PI, 0], [ 5*PI_4, 1], //[ 3*PI_2, -real.infinity], [ 7*PI_4, -1], [ 2*PI, 0], ]; int i; for (i = 0; i < vals.length; i++) { real x = vals[i][0]; real r = vals[i][1]; real t = tan(x); //printf("tan(%Lg) = %Lg, should be %Lg\n", x, t, r); if (!isIdentical(r, t)) assert(fabs(r-t) <= .0000001); x = -x; r = -r; t = tan(x); //printf("tan(%Lg) = %Lg, should be %Lg\n", x, t, r); if (!isIdentical(r, t) && !(r!=r && t!=t)) assert(fabs(r-t) <= .0000001); } // overflow assert(isNaN(tan(real.infinity))); assert(isNaN(tan(-real.infinity))); // NaN propagation assert(isIdentical( tan(NaN(0x0123L)), NaN(0x0123L) )); } unittest { assert(equalsDigit(tan(PI / 3), std.math.sqrt(3.0), useDigits)); } /*************** * Calculates the arc cosine of x, * returning a value ranging from 0 to $(PI). * * $(TABLE_SV * $(TR $(TH x) $(TH acos(x)) $(TH invalid?)) * $(TR $(TD $(GT)1.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD $(LT)-1.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes)) * ) */ real acos(real x) @safe pure nothrow @nogc { return atan2(sqrt(1-x*x), x); } /// ditto double acos(double x) @safe pure nothrow @nogc { return acos(cast(real)x); } /// ditto float acos(float x) @safe pure nothrow @nogc { return acos(cast(real)x); } unittest { assert(equalsDigit(acos(0.5), std.math.PI / 3, useDigits)); } /*************** * Calculates the arc sine of x, * returning a value ranging from -$(PI)/2 to $(PI)/2. * * $(TABLE_SV * $(TR $(TH x) $(TH asin(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(GT)1.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD $(LT)-1.0) $(TD $(NAN)) $(TD yes)) * ) */ real asin(real x) @safe pure nothrow @nogc { return atan2(x, sqrt(1-x*x)); } /// ditto double asin(double x) @safe pure nothrow @nogc { return asin(cast(real)x); } /// ditto float asin(float x) @safe pure nothrow @nogc { return asin(cast(real)x); } unittest { assert(equalsDigit(asin(0.5), PI / 6, useDigits)); } /*************** * Calculates the arc tangent of x, * returning a value ranging from -$(PI)/2 to $(PI)/2. * * $(TABLE_SV * $(TR $(TH x) $(TH atan(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(NAN)) $(TD yes)) * ) */ real atan(real x) @safe pure nothrow @nogc { version(InlineAsm_X86_Any) { return atan2(x, 1.0L); } else { // Coefficients for atan(x) static immutable real[5] P = [ -5.0894116899623603312185E1L, -9.9988763777265819915721E1L, -6.3976888655834347413154E1L, -1.4683508633175792446076E1L, -8.6863818178092187535440E-1L, ]; static immutable real[6] Q = [ 1.5268235069887081006606E2L, 3.9157570175111990631099E2L, 3.6144079386152023162701E2L, 1.4399096122250781605352E2L, 2.2981886733594175366172E1L, 1.0000000000000000000000E0L, ]; // tan(PI/8) enum real TAN_PI_8 = 4.1421356237309504880169e-1L; // tan(3 * PI/8) enum real TAN3_PI_8 = 2.41421356237309504880169L; // Special cases. if (x == 0.0) return x; if (isInfinity(x)) return copysign(PI_2, x); // Make argument positive but save the sign. bool sign = false; if (signbit(x)) { sign = true; x = -x; } // Range reduction. real y; if (x > TAN3_PI_8) { y = PI_2; x = -(1.0 / x); } else if (x > TAN_PI_8) { y = PI_4; x = (x - 1.0)/(x + 1.0); } else y = 0.0; // Rational form in x^^2. real z = x * x; y = y + (poly(z, P) / poly(z, Q)) * z * x + x; return (sign) ? -y : y; } } /// ditto double atan(double x) @safe pure nothrow @nogc { return atan(cast(real)x); } /// ditto float atan(float x) @safe pure nothrow @nogc { return atan(cast(real)x); } unittest { assert(equalsDigit(atan(std.math.sqrt(3.0)), PI / 3, useDigits)); } /*************** * Calculates the arc tangent of y / x, * returning a value ranging from -$(PI) to $(PI). * * $(TABLE_SV * $(TR $(TH y) $(TH x) $(TH atan(y, x))) * $(TR $(TD $(NAN)) $(TD anything) $(TD $(NAN)) ) * $(TR $(TD anything) $(TD $(NAN)) $(TD $(NAN)) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(GT)0.0) $(TD $(PLUSMN)0.0) ) * $(TR $(TD $(PLUSMN)0.0) $(TD +0.0) $(TD $(PLUSMN)0.0) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(LT)0.0) $(TD $(PLUSMN)$(PI))) * $(TR $(TD $(PLUSMN)0.0) $(TD -0.0) $(TD $(PLUSMN)$(PI))) * $(TR $(TD $(GT)0.0) $(TD $(PLUSMN)0.0) $(TD $(PI)/2) ) * $(TR $(TD $(LT)0.0) $(TD $(PLUSMN)0.0) $(TD -$(PI)/2) ) * $(TR $(TD $(GT)0.0) $(TD $(INFIN)) $(TD $(PLUSMN)0.0) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD anything) $(TD $(PLUSMN)$(PI)/2)) * $(TR $(TD $(GT)0.0) $(TD -$(INFIN)) $(TD $(PLUSMN)$(PI)) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(INFIN)) $(TD $(PLUSMN)$(PI)/4)) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD -$(INFIN)) $(TD $(PLUSMN)3$(PI)/4)) * ) */ real atan2(real y, real x) @trusted pure nothrow @nogc { version(InlineAsm_X86_Any) { version (Win64) { asm pure nothrow @nogc { naked; fld real ptr [RDX]; // y fld real ptr [RCX]; // x fpatan; ret; } } else { asm pure nothrow @nogc { fld y; fld x; fpatan; } } } else { // Special cases. if (isNaN(x) || isNaN(y)) return real.nan; if (y == 0.0) { if (x >= 0 && !signbit(x)) return copysign(0, y); else return copysign(PI, y); } if (x == 0.0) return copysign(PI_2, y); if (isInfinity(x)) { if (signbit(x)) { if (isInfinity(y)) return copysign(3*PI_4, y); else return copysign(PI, y); } else { if (isInfinity(y)) return copysign(PI_4, y); else return copysign(0.0, y); } } if (isInfinity(y)) return copysign(PI_2, y); // Call atan and determine the quadrant. real z = atan(y / x); if (signbit(x)) { if (signbit(y)) z = z - PI; else z = z + PI; } if (z == 0.0) return copysign(z, y); return z; } } /// ditto double atan2(double y, double x) @safe pure nothrow @nogc { return atan2(cast(real)y, cast(real)x); } /// ditto float atan2(float y, float x) @safe pure nothrow @nogc { return atan2(cast(real)y, cast(real)x); } unittest { assert(equalsDigit(atan2(1.0L, std.math.sqrt(3.0L)), PI / 6, useDigits)); } /*********************************** * Calculates the hyperbolic cosine of x. * * $(TABLE_SV * $(TR $(TH x) $(TH cosh(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(PLUSMN)0.0) $(TD no) ) * ) */ real cosh(real x) @safe pure nothrow @nogc { // cosh = (exp(x)+exp(-x))/2. // The naive implementation works correctly. real y = exp(x); return (y + 1.0/y) * 0.5; } /// ditto double cosh(double x) @safe pure nothrow @nogc { return cosh(cast(real)x); } /// ditto float cosh(float x) @safe pure nothrow @nogc { return cosh(cast(real)x); } unittest { assert(equalsDigit(cosh(1.0), (E + 1.0 / E) / 2, useDigits)); } /*********************************** * Calculates the hyperbolic sine of x. * * $(TABLE_SV * $(TR $(TH x) $(TH sinh(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(PLUSMN)$(INFIN)) $(TD no)) * ) */ real sinh(real x) @safe pure nothrow @nogc { // sinh(x) = (exp(x)-exp(-x))/2; // Very large arguments could cause an overflow, but // the maximum value of x for which exp(x) + exp(-x)) != exp(x) // is x = 0.5 * (real.mant_dig) * LN2. // = 22.1807 for real80. if (fabs(x) > real.mant_dig * LN2) { return copysign(0.5 * exp(fabs(x)), x); } real y = expm1(x); return 0.5 * y / (y+1) * (y+2); } /// ditto double sinh(double x) @safe pure nothrow @nogc { return sinh(cast(real)x); } /// ditto float sinh(float x) @safe pure nothrow @nogc { return sinh(cast(real)x); } unittest { assert(equalsDigit(sinh(1.0), (E - 1.0 / E) / 2, useDigits)); } /*********************************** * Calculates the hyperbolic tangent of x. * * $(TABLE_SV * $(TR $(TH x) $(TH tanh(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(PLUSMN)1.0) $(TD no)) * ) */ real tanh(real x) @safe pure nothrow @nogc { // tanh(x) = (exp(x) - exp(-x))/(exp(x)+exp(-x)) if (fabs(x) > real.mant_dig * LN2) { return copysign(1, x); } real y = expm1(2*x); return y / (y + 2); } /// ditto double tanh(double x) @safe pure nothrow @nogc { return tanh(cast(real)x); } /// ditto float tanh(float x) @safe pure nothrow @nogc { return tanh(cast(real)x); } unittest { assert(equalsDigit(tanh(1.0), sinh(1.0) / cosh(1.0), 15)); } package: /* Returns cosh(x) + I * sinh(x) * Only one call to exp() is performed. */ creal coshisinh(real x) @safe pure nothrow @nogc { // See comments for cosh, sinh. if (fabs(x) > real.mant_dig * LN2) { real y = exp(fabs(x)); return y * 0.5 + 0.5i * copysign(y, x); } else { real y = expm1(x); return (y + 1.0 + 1.0/(y + 1.0)) * 0.5 + 0.5i * y / (y+1) * (y+2); } } @safe pure nothrow @nogc unittest { creal c = coshisinh(3.0L); assert(c.re == cosh(3.0L)); assert(c.im == sinh(3.0L)); } public: /*********************************** * Calculates the inverse hyperbolic cosine of x. * * Mathematically, acosh(x) = log(x + sqrt( x*x - 1)) * * $(TABLE_DOMRG * $(DOMAIN 1..$(INFIN)) * $(RANGE 1..log(real.max), $(INFIN)) ) * $(TABLE_SV * $(SVH x, acosh(x) ) * $(SV $(NAN), $(NAN) ) * $(SV $(LT)1, $(NAN) ) * $(SV 1, 0 ) * $(SV +$(INFIN),+$(INFIN)) * ) */ real acosh(real x) @safe pure nothrow @nogc { if (x > 1/real.epsilon) return LN2 + log(x); else return log(x + sqrt(x*x - 1)); } /// ditto double acosh(double x) @safe pure nothrow @nogc { return acosh(cast(real)x); } /// ditto float acosh(float x) @safe pure nothrow @nogc { return acosh(cast(real)x); } unittest { assert(isNaN(acosh(0.9))); assert(isNaN(acosh(real.nan))); assert(acosh(1.0)==0.0); assert(acosh(real.infinity) == real.infinity); assert(isNaN(acosh(0.5))); assert(equalsDigit(acosh(cosh(3.0)), 3, useDigits)); } /*********************************** * Calculates the inverse hyperbolic sine of x. * * Mathematically, * --------------- * asinh(x) = log( x + sqrt( x*x + 1 )) // if x >= +0 * asinh(x) = -log(-x + sqrt( x*x + 1 )) // if x <= -0 * ------------- * * $(TABLE_SV * $(SVH x, asinh(x) ) * $(SV $(NAN), $(NAN) ) * $(SV $(PLUSMN)0, $(PLUSMN)0 ) * $(SV $(PLUSMN)$(INFIN),$(PLUSMN)$(INFIN)) * ) */ real asinh(real x) @safe pure nothrow @nogc { return (fabs(x) > 1 / real.epsilon) // beyond this point, x*x + 1 == x*x ? copysign(LN2 + log(fabs(x)), x) // sqrt(x*x + 1) == 1 + x * x / ( 1 + sqrt(x*x + 1) ) : copysign(log1p(fabs(x) + x*x / (1 + sqrt(x*x + 1)) ), x); } /// ditto double asinh(double x) @safe pure nothrow @nogc { return asinh(cast(real)x); } /// ditto float asinh(float x) @safe pure nothrow @nogc { return asinh(cast(real)x); } unittest { assert(isIdentical(asinh(0.0), 0.0)); assert(isIdentical(asinh(-0.0), -0.0)); assert(asinh(real.infinity) == real.infinity); assert(asinh(-real.infinity) == -real.infinity); assert(isNaN(asinh(real.nan))); assert(equalsDigit(asinh(sinh(3.0)), 3, useDigits)); } /*********************************** * Calculates the inverse hyperbolic tangent of x, * returning a value from ranging from -1 to 1. * * Mathematically, atanh(x) = log( (1+x)/(1-x) ) / 2 * * * $(TABLE_DOMRG * $(DOMAIN -$(INFIN)..$(INFIN)) * $(RANGE -1..1) ) * $(TABLE_SV * $(SVH x, acosh(x) ) * $(SV $(NAN), $(NAN) ) * $(SV $(PLUSMN)0, $(PLUSMN)0) * $(SV -$(INFIN), -0) * ) */ real atanh(real x) @safe pure nothrow @nogc { // log( (1+x)/(1-x) ) == log ( 1 + (2*x)/(1-x) ) return 0.5 * log1p( 2 * x / (1 - x) ); } /// ditto double atanh(double x) @safe pure nothrow @nogc { return atanh(cast(real)x); } /// ditto float atanh(float x) @safe pure nothrow @nogc { return atanh(cast(real)x); } unittest { assert(isIdentical(atanh(0.0), 0.0)); assert(isIdentical(atanh(-0.0),-0.0)); assert(isNaN(atanh(real.nan))); assert(isNaN(atanh(-real.infinity))); assert(atanh(0.0) == 0); assert(equalsDigit(atanh(tanh(0.5L)), 0.5, useDigits)); } /***************************************** * Returns x rounded to a long value using the current rounding mode. * If the integer value of x is * greater than long.max, the result is * indeterminate. */ long rndtol(real x) @nogc @safe pure nothrow { pragma(inline, true); return core.math.rndtol(x); } //FIXME ///ditto long rndtol(double x) @safe pure nothrow @nogc { return rndtol(cast(real)x); } //FIXME ///ditto long rndtol(float x) @safe pure nothrow @nogc { return rndtol(cast(real)x); } unittest { long function(real) prndtol = &rndtol; assert(prndtol != null); } /***************************************** * Returns x rounded to a long value using the FE_TONEAREST rounding mode. * If the integer value of x is * greater than long.max, the result is * indeterminate. */ extern (C) real rndtonl(real x); /*************************************** * Compute square root of x. * * $(TABLE_SV * $(TR $(TH x) $(TH sqrt(x)) $(TH invalid?)) * $(TR $(TD -0.0) $(TD -0.0) $(TD no)) * $(TR $(TD $(LT)0.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD no)) * ) */ float sqrt(float x) @nogc @safe pure nothrow { pragma(inline, true); return core.math.sqrt(x); } /// ditto double sqrt(double x) @nogc @safe pure nothrow { pragma(inline, true); return core.math.sqrt(x); } /// ditto real sqrt(real x) @nogc @safe pure nothrow { pragma(inline, true); return core.math.sqrt(x); } @safe pure nothrow @nogc unittest { //ctfe enum ZX80 = sqrt(7.0f); enum ZX81 = sqrt(7.0); enum ZX82 = sqrt(7.0L); assert(isNaN(sqrt(-1.0f))); assert(isNaN(sqrt(-1.0))); assert(isNaN(sqrt(-1.0L))); } unittest { float function(float) psqrtf = &sqrt; assert(psqrtf != null); double function(double) psqrtd = &sqrt; assert(psqrtd != null); real function(real) psqrtr = &sqrt; assert(psqrtr != null); } creal sqrt(creal z) @nogc @safe pure nothrow { creal c; real x,y,w,r; if (z == 0) { c = 0 + 0i; } else { real z_re = z.re; real z_im = z.im; x = fabs(z_re); y = fabs(z_im); if (x >= y) { r = y / x; w = sqrt(x) * sqrt(0.5 * (1 + sqrt(1 + r * r))); } else { r = x / y; w = sqrt(y) * sqrt(0.5 * (r + sqrt(1 + r * r))); } if (z_re >= 0) { c = w + (z_im / (w + w)) * 1.0i; } else { if (z_im < 0) w = -w; c = z_im / (w + w) + w * 1.0i; } } return c; } /** * Calculates e$(SUPERSCRIPT x). * * $(TABLE_SV * $(TR $(TH x) $(TH e$(SUPERSCRIPT x)) ) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) ) * $(TR $(TD -$(INFIN)) $(TD +0.0) ) * $(TR $(TD $(NAN)) $(TD $(NAN)) ) * ) */ real exp(real x) @trusted pure nothrow @nogc { version(D_InlineAsm_X86) { // e^^x = 2^^(LOG2E*x) // (This is valid because the overflow & underflow limits for exp // and exp2 are so similar). return exp2(LOG2E*x); } else version(D_InlineAsm_X86_64) { // e^^x = 2^^(LOG2E*x) // (This is valid because the overflow & underflow limits for exp // and exp2 are so similar). return exp2(LOG2E*x); } else { alias F = floatTraits!real; static if (F.realFormat == RealFormat.ieeeDouble) { // Coefficients for exp(x) static immutable real[3] P = [ 9.99999999999999999910E-1L, 3.02994407707441961300E-2L, 1.26177193074810590878E-4L, ]; static immutable real[4] Q = [ 2.00000000000000000009E0L, 2.27265548208155028766E-1L, 2.52448340349684104192E-3L, 3.00198505138664455042E-6L, ]; // C1 + C2 = LN2. enum real C1 = 6.93145751953125E-1; enum real C2 = 1.42860682030941723212E-6; // Overflow and Underflow limits. enum real OF = 7.09782712893383996732E2; // ln((1-2^-53) * 2^1024) enum real UF = -7.451332191019412076235E2; // ln(2^-1075) } else static if (F.realFormat == RealFormat.ieeeExtended) { // Coefficients for exp(x) static immutable real[3] P = [ 9.9999999999999999991025E-1L, 3.0299440770744196129956E-2L, 1.2617719307481059087798E-4L, ]; static immutable real[4] Q = [ 2.0000000000000000000897E0L, 2.2726554820815502876593E-1L, 2.5244834034968410419224E-3L, 3.0019850513866445504159E-6L, ]; // C1 + C2 = LN2. enum real C1 = 6.9314575195312500000000E-1L; enum real C2 = 1.4286068203094172321215E-6L; // Overflow and Underflow limits. enum real OF = 1.1356523406294143949492E4L; // ln((1-2^-64) * 2^16384) enum real UF = -1.13994985314888605586758E4L; // ln(2^-16446) } else static assert(0, "Not implemented for this architecture"); // Special cases. // FIXME: set IEEE flags accordingly if (isNaN(x)) return x; if (x > OF) return real.infinity; if (x < UF) return 0.0; // Express: e^^x = e^^g * 2^^n // = e^^g * e^^(n * LOG2E) // = e^^(g + n * LOG2E) int n = cast(int)floor(LOG2E * x + 0.5); x -= n * C1; x -= n * C2; // Rational approximation for exponential of the fractional part: // e^^x = 1 + 2x P(x^^2) / (Q(x^^2) - P(x^^2)) real xx = x * x; real px = x * poly(xx, P); x = px / (poly(xx, Q) - px); x = 1.0 + ldexp(x, 1); // Scale by power of 2. x = ldexp(x, n); return x; } } /// ditto double exp(double x) @safe pure nothrow @nogc { return exp(cast(real)x); } /// ditto float exp(float x) @safe pure nothrow @nogc { return exp(cast(real)x); } unittest { assert(equalsDigit(exp(3.0L), E * E * E, useDigits)); } /** * Calculates the value of the natural logarithm base (e) * raised to the power of x, minus 1. * * For very small x, expm1(x) is more accurate * than exp(x)-1. * * $(TABLE_SV * $(TR $(TH x) $(TH e$(SUPERSCRIPT x)-1) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) ) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) ) * $(TR $(TD -$(INFIN)) $(TD -1.0) ) * $(TR $(TD $(NAN)) $(TD $(NAN)) ) * ) */ real expm1(real x) @trusted pure nothrow @nogc { version(D_InlineAsm_X86) { enum PARAMSIZE = (real.sizeof+3)&(0xFFFF_FFFC); // always a multiple of 4 asm pure nothrow @nogc { /* expm1() for x87 80-bit reals, IEEE754-2008 conformant. * Author: Don Clugston. * * expm1(x) = 2^^(rndint(y))* 2^^(y-rndint(y)) - 1 where y = LN2*x. * = 2rndy * 2ym1 + 2rndy - 1, where 2rndy = 2^^(rndint(y)) * and 2ym1 = (2^^(y-rndint(y))-1). * If 2rndy < 0.5*real.epsilon, result is -1. * Implementation is otherwise the same as for exp2() */ naked; fld real ptr [ESP+4] ; // x mov AX, [ESP+4+8]; // AX = exponent and sign sub ESP, 12+8; // Create scratch space on the stack // [ESP,ESP+2] = scratchint // [ESP+4..+6, +8..+10, +10] = scratchreal // set scratchreal mantissa = 1.0 mov dword ptr [ESP+8], 0; mov dword ptr [ESP+8+4], 0x80000000; and AX, 0x7FFF; // drop sign bit cmp AX, 0x401D; // avoid InvalidException in fist jae L_extreme; fldl2e; fmulp ST(1), ST; // y = x*log2(e) fist dword ptr [ESP]; // scratchint = rndint(y) fisub dword ptr [ESP]; // y - rndint(y) // and now set scratchreal exponent mov EAX, [ESP]; add EAX, 0x3fff; jle short L_largenegative; cmp EAX,0x8000; jge short L_largepositive; mov [ESP+8+8],AX; f2xm1; // 2ym1 = 2^^(y-rndint(y)) -1 fld real ptr [ESP+8] ; // 2rndy = 2^^rndint(y) fmul ST(1), ST; // ST=2rndy, ST(1)=2rndy*2ym1 fld1; fsubp ST(1), ST; // ST = 2rndy-1, ST(1) = 2rndy * 2ym1 - 1 faddp ST(1), ST; // ST = 2rndy * 2ym1 + 2rndy - 1 add ESP,12+8; ret PARAMSIZE; L_extreme: // Extreme exponent. X is very large positive, very // large negative, infinity, or NaN. fxam; fstsw AX; test AX, 0x0400; // NaN_or_zero, but we already know x!=0 jz L_was_nan; // if x is NaN, returns x test AX, 0x0200; jnz L_largenegative; L_largepositive: // Set scratchreal = real.max. // squaring it will create infinity, and set overflow flag. mov word ptr [ESP+8+8], 0x7FFE; fstp ST(0); fld real ptr [ESP+8]; // load scratchreal fmul ST(0), ST; // square it, to create havoc! L_was_nan: add ESP,12+8; ret PARAMSIZE; L_largenegative: fstp ST(0); fld1; fchs; // return -1. Underflow flag is not set. add ESP,12+8; ret PARAMSIZE; } } else version(D_InlineAsm_X86_64) { asm pure nothrow @nogc { naked; } version (Win64) { asm pure nothrow @nogc { fld real ptr [RCX]; // x mov AX,[RCX+8]; // AX = exponent and sign } } else { asm pure nothrow @nogc { fld real ptr [RSP+8]; // x mov AX,[RSP+8+8]; // AX = exponent and sign } } asm pure nothrow @nogc { /* expm1() for x87 80-bit reals, IEEE754-2008 conformant. * Author: Don Clugston. * * expm1(x) = 2^(rndint(y))* 2^(y-rndint(y)) - 1 where y = LN2*x. * = 2rndy * 2ym1 + 2rndy - 1, where 2rndy = 2^(rndint(y)) * and 2ym1 = (2^(y-rndint(y))-1). * If 2rndy < 0.5*real.epsilon, result is -1. * Implementation is otherwise the same as for exp2() */ sub RSP, 24; // Create scratch space on the stack // [RSP,RSP+2] = scratchint // [RSP+4..+6, +8..+10, +10] = scratchreal // set scratchreal mantissa = 1.0 mov dword ptr [RSP+8], 0; mov dword ptr [RSP+8+4], 0x80000000; and AX, 0x7FFF; // drop sign bit cmp AX, 0x401D; // avoid InvalidException in fist jae L_extreme; fldl2e; fmul ; // y = x*log2(e) fist dword ptr [RSP]; // scratchint = rndint(y) fisub dword ptr [RSP]; // y - rndint(y) // and now set scratchreal exponent mov EAX, [RSP]; add EAX, 0x3fff; jle short L_largenegative; cmp EAX,0x8000; jge short L_largepositive; mov [RSP+8+8],AX; f2xm1; // 2^(y-rndint(y)) -1 fld real ptr [RSP+8] ; // 2^rndint(y) fmul ST(1), ST; fld1; fsubp ST(1), ST; fadd; add RSP,24; ret; L_extreme: // Extreme exponent. X is very large positive, very // large negative, infinity, or NaN. fxam; fstsw AX; test AX, 0x0400; // NaN_or_zero, but we already know x!=0 jz L_was_nan; // if x is NaN, returns x test AX, 0x0200; jnz L_largenegative; L_largepositive: // Set scratchreal = real.max. // squaring it will create infinity, and set overflow flag. mov word ptr [RSP+8+8], 0x7FFE; fstp ST(0); fld real ptr [RSP+8]; // load scratchreal fmul ST(0), ST; // square it, to create havoc! L_was_nan: add RSP,24; ret; L_largenegative: fstp ST(0); fld1; fchs; // return -1. Underflow flag is not set. add RSP,24; ret; } } else { // Coefficients for exp(x) - 1 static immutable real[5] P = [ -1.586135578666346600772998894928250240826E4L, 2.642771505685952966904660652518429479531E3L, -3.423199068835684263987132888286791620673E2L, 1.800826371455042224581246202420972737840E1L, -5.238523121205561042771939008061958820811E-1L, ]; static immutable real[6] Q = [ -9.516813471998079611319047060563358064497E4L, 3.964866271411091674556850458227710004570E4L, -7.207678383830091850230366618190187434796E3L, 7.206038318724600171970199625081491823079E2L, -4.002027679107076077238836622982900945173E1L, 1.000000000000000000000000000000000000000E0L, ]; // C1 + C2 = LN2. enum real C1 = 6.9314575195312500000000E-1L; enum real C2 = 1.4286068203094172321215E-6L; // Overflow and Underflow limits. enum real OF = 1.1356523406294143949492E4L; enum real UF = -4.5054566736396445112120088E1L; // Special cases. if (x > OF) return real.infinity; if (x == 0.0) return x; if (x < UF) return -1.0; // Express x = LN2 (n + remainder), remainder not exceeding 1/2. int n = cast(int)floor(0.5 + x / LN2); x -= n * C1; x -= n * C2; // Rational approximation: // exp(x) - 1 = x + 0.5 x^^2 + x^^3 P(x) / Q(x) real px = x * poly(x, P); real qx = poly(x, Q); real xx = x * x; qx = x + (0.5 * xx + xx * px / qx); // We have qx = exp(remainder LN2) - 1, so: // exp(x) - 1 = 2^^n (qx + 1) - 1 = 2^^n qx + 2^^n - 1. px = ldexp(1.0, n); x = px * qx + (px - 1.0); return x; } } /** * Calculates 2$(SUPERSCRIPT x). * * $(TABLE_SV * $(TR $(TH x) $(TH exp2(x)) ) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) ) * $(TR $(TD -$(INFIN)) $(TD +0.0) ) * $(TR $(TD $(NAN)) $(TD $(NAN)) ) * ) */ real exp2(real x) @nogc @trusted pure nothrow { version(D_InlineAsm_X86) { enum PARAMSIZE = (real.sizeof+3)&(0xFFFF_FFFC); // always a multiple of 4 asm pure nothrow @nogc { /* exp2() for x87 80-bit reals, IEEE754-2008 conformant. * Author: Don Clugston. * * exp2(x) = 2^^(rndint(x))* 2^^(y-rndint(x)) * The trick for high performance is to avoid the fscale(28cycles on core2), * frndint(19 cycles), leaving f2xm1(19 cycles) as the only slow instruction. * * We can do frndint by using fist. BUT we can't use it for huge numbers, * because it will set the Invalid Operation flag if overflow or NaN occurs. * Fortunately, whenever this happens the result would be zero or infinity. * * We can perform fscale by directly poking into the exponent. BUT this doesn't * work for the (very rare) cases where the result is subnormal. So we fall back * to the slow method in that case. */ naked; fld real ptr [ESP+4] ; // x mov AX, [ESP+4+8]; // AX = exponent and sign sub ESP, 12+8; // Create scratch space on the stack // [ESP,ESP+2] = scratchint // [ESP+4..+6, +8..+10, +10] = scratchreal // set scratchreal mantissa = 1.0 mov dword ptr [ESP+8], 0; mov dword ptr [ESP+8+4], 0x80000000; and AX, 0x7FFF; // drop sign bit cmp AX, 0x401D; // avoid InvalidException in fist jae L_extreme; fist dword ptr [ESP]; // scratchint = rndint(x) fisub dword ptr [ESP]; // x - rndint(x) // and now set scratchreal exponent mov EAX, [ESP]; add EAX, 0x3fff; jle short L_subnormal; cmp EAX,0x8000; jge short L_overflow; mov [ESP+8+8],AX; L_normal: f2xm1; fld1; faddp ST(1), ST; // 2^^(x-rndint(x)) fld real ptr [ESP+8] ; // 2^^rndint(x) add ESP,12+8; fmulp ST(1), ST; ret PARAMSIZE; L_subnormal: // Result will be subnormal. // In this rare case, the simple poking method doesn't work. // The speed doesn't matter, so use the slow fscale method. fild dword ptr [ESP]; // scratchint fld1; fscale; fstp real ptr [ESP+8]; // scratchreal = 2^^scratchint fstp ST(0); // drop scratchint jmp L_normal; L_extreme: // Extreme exponent. X is very large positive, very // large negative, infinity, or NaN. fxam; fstsw AX; test AX, 0x0400; // NaN_or_zero, but we already know x!=0 jz L_was_nan; // if x is NaN, returns x // set scratchreal = real.min_normal // squaring it will return 0, setting underflow flag mov word ptr [ESP+8+8], 1; test AX, 0x0200; jnz L_waslargenegative; L_overflow: // Set scratchreal = real.max. // squaring it will create infinity, and set overflow flag. mov word ptr [ESP+8+8], 0x7FFE; L_waslargenegative: fstp ST(0); fld real ptr [ESP+8]; // load scratchreal fmul ST(0), ST; // square it, to create havoc! L_was_nan: add ESP,12+8; ret PARAMSIZE; } } else version(D_InlineAsm_X86_64) { asm pure nothrow @nogc { naked; } version (Win64) { asm pure nothrow @nogc { fld real ptr [RCX]; // x mov AX,[RCX+8]; // AX = exponent and sign } } else { asm pure nothrow @nogc { fld real ptr [RSP+8]; // x mov AX,[RSP+8+8]; // AX = exponent and sign } } asm pure nothrow @nogc { /* exp2() for x87 80-bit reals, IEEE754-2008 conformant. * Author: Don Clugston. * * exp2(x) = 2^(rndint(x))* 2^(y-rndint(x)) * The trick for high performance is to avoid the fscale(28cycles on core2), * frndint(19 cycles), leaving f2xm1(19 cycles) as the only slow instruction. * * We can do frndint by using fist. BUT we can't use it for huge numbers, * because it will set the Invalid Operation flag is overflow or NaN occurs. * Fortunately, whenever this happens the result would be zero or infinity. * * We can perform fscale by directly poking into the exponent. BUT this doesn't * work for the (very rare) cases where the result is subnormal. So we fall back * to the slow method in that case. */ sub RSP, 24; // Create scratch space on the stack // [RSP,RSP+2] = scratchint // [RSP+4..+6, +8..+10, +10] = scratchreal // set scratchreal mantissa = 1.0 mov dword ptr [RSP+8], 0; mov dword ptr [RSP+8+4], 0x80000000; and AX, 0x7FFF; // drop sign bit cmp AX, 0x401D; // avoid InvalidException in fist jae L_extreme; fist dword ptr [RSP]; // scratchint = rndint(x) fisub dword ptr [RSP]; // x - rndint(x) // and now set scratchreal exponent mov EAX, [RSP]; add EAX, 0x3fff; jle short L_subnormal; cmp EAX,0x8000; jge short L_overflow; mov [RSP+8+8],AX; L_normal: f2xm1; fld1; fadd; // 2^(x-rndint(x)) fld real ptr [RSP+8] ; // 2^rndint(x) add RSP,24; fmulp ST(1), ST; ret; L_subnormal: // Result will be subnormal. // In this rare case, the simple poking method doesn't work. // The speed doesn't matter, so use the slow fscale method. fild dword ptr [RSP]; // scratchint fld1; fscale; fstp real ptr [RSP+8]; // scratchreal = 2^scratchint fstp ST(0); // drop scratchint jmp L_normal; L_extreme: // Extreme exponent. X is very large positive, very // large negative, infinity, or NaN. fxam; fstsw AX; test AX, 0x0400; // NaN_or_zero, but we already know x!=0 jz L_was_nan; // if x is NaN, returns x // set scratchreal = real.min // squaring it will return 0, setting underflow flag mov word ptr [RSP+8+8], 1; test AX, 0x0200; jnz L_waslargenegative; L_overflow: // Set scratchreal = real.max. // squaring it will create infinity, and set overflow flag. mov word ptr [RSP+8+8], 0x7FFE; L_waslargenegative: fstp ST(0); fld real ptr [RSP+8]; // load scratchreal fmul ST(0), ST; // square it, to create havoc! L_was_nan: add RSP,24; ret; } } else { // Coefficients for exp2(x) static immutable real[3] P = [ 2.0803843631901852422887E6L, 3.0286971917562792508623E4L, 6.0614853552242266094567E1L, ]; static immutable real[4] Q = [ 6.0027204078348487957118E6L, 3.2772515434906797273099E5L, 1.7492876999891839021063E3L, 1.0000000000000000000000E0L, ]; // Overflow and Underflow limits. enum real OF = 16384.0L; enum real UF = -16382.0L; // Special cases. if (isNaN(x)) return x; if (x > OF) return real.infinity; if (x < UF) return 0.0; // Separate into integer and fractional parts. int n = cast(int)floor(x + 0.5); x -= n; // Rational approximation: // exp2(x) = 1.0 + 2x P(x^^2) / (Q(x^^2) - P(x^^2)) real xx = x * x; real px = x * poly(xx, P); x = px / (poly(xx, Q) - px); x = 1.0 + ldexp(x, 1); // Scale by power of 2. x = ldexp(x, n); return x; } } /// unittest { assert(feqrel(exp2(0.5L), SQRT2) >= real.mant_dig -1); assert(exp2(8.0L) == 256.0); assert(exp2(-9.0L)== 1.0L/512.0); } unittest { version(CRuntime_Microsoft) {} else // aexp2/exp2f/exp2l not implemented { assert( core.stdc.math.exp2f(0.0f) == 1 ); assert( core.stdc.math.exp2 (0.0) == 1 ); assert( core.stdc.math.exp2l(0.0L) == 1 ); } } unittest { FloatingPointControl ctrl; if(FloatingPointControl.hasExceptionTraps) ctrl.disableExceptions(FloatingPointControl.allExceptions); ctrl.rounding = FloatingPointControl.roundToNearest; static if (real.mant_dig == 64) // 80-bit reals { static immutable real[2][] exptestpoints = [ // x exp(x) [ 1.0L, E ], [ 0.5L, 0x1.a61298e1e069bc97p+0L ], [ 3.0L, E*E*E ], [ 0x1.1p+13L, 0x1.29aeffefc8ec645p+12557L ], // near overflow [ 0x1.7p+13L, real.infinity ], // close overflow [ 0x1p+80L, real.infinity ], // far overflow [ real.infinity, real.infinity ], [-0x1.18p+13L, 0x1.5e4bf54b4806db9p-12927L ], // near underflow [-0x1.625p+13L, 0x1.a6bd68a39d11f35cp-16358L ], // ditto [-0x1.62dafp+13L, 0x1.96c53d30277021dp-16383L ], // near underflow - subnormal [-0x1.643p+13L, 0x1p-16444L ], // ditto [-0x1.645p+13L, 0 ], // close underflow [-0x1p+30L, 0 ], // far underflow ]; } else static if (real.mant_dig == 53) // 64-bit reals { static immutable real[2][] exptestpoints = [ // x, exp(x) [ 1.0L, E ], [ 0.5L, 0x1.a61298e1e069cp+0L ], [ 3.0L, E*E*E ], [ 0x1.6p+9L, 0x1.93bf4ec282efbp+1015L ], // near overflow [ 0x1.7p+9L, real.infinity ], // close overflow [ 0x1p+80L, real.infinity ], // far overflow [ real.infinity, real.infinity ], [-0x1.6p+9L, 0x1.44a3824e5285fp-1016L ], // near underflow [-0x1.64p+9L, 0x0.06f84920bb2d4p-1022L ], // near underflow - subnormal [-0x1.743p+9L, 0x0.0000000000001p-1022L ], // ditto [-0x1.8p+9L, 0 ], // close underflow [-0x1p30L, 0 ], // far underflow ]; } else static assert(0, "No exp() tests for real type!"); const minEqualMantissaBits = real.mant_dig - 2; real x; IeeeFlags f; foreach (ref pair; exptestpoints) { resetIeeeFlags(); x = exp(pair[0]); f = ieeeFlags; assert(feqrel(x, pair[1]) >= minEqualMantissaBits); version (IeeeFlagsSupport) { // Check the overflow bit if (x == real.infinity) { // don't care about the overflow bit if input was inf // (e.g., the LLVM intrinsic doesn't set it on Linux x86_64) assert(pair[0] == real.infinity || f.overflow); } else assert(!f.overflow); // Check the underflow bit assert(f.underflow == (fabs(x) < real.min_normal)); // Invalid and div by zero shouldn't be affected. assert(!f.invalid); assert(!f.divByZero); } } // Ideally, exp(0) would not set the inexact flag. // Unfortunately, fldl2e sets it! // So it's not realistic to avoid setting it. assert(exp(0.0L) == 1.0); // NaN propagation. Doesn't set flags, bcos was already NaN. resetIeeeFlags(); x = exp(real.nan); f = ieeeFlags; assert(isIdentical(abs(x), real.nan)); assert(f.flags == 0); resetIeeeFlags(); x = exp(-real.nan); f = ieeeFlags; assert(isIdentical(abs(x), real.nan)); assert(f.flags == 0); x = exp(NaN(0x123)); assert(isIdentical(x, NaN(0x123))); // High resolution test assert(exp(0.5L) == 0x1.A612_98E1_E069_BC97_2DFE_FAB6D_33Fp+0L); } /** * Calculate cos(y) + i sin(y). * * On many CPUs (such as x86), this is a very efficient operation; * almost twice as fast as calculating sin(y) and cos(y) separately, * and is the preferred method when both are required. */ creal expi(real y) @trusted pure nothrow @nogc { version(InlineAsm_X86_Any) { version (Win64) { asm pure nothrow @nogc { naked; fld real ptr [ECX]; fsincos; fxch ST(1), ST(0); ret; } } else { asm pure nothrow @nogc { fld y; fsincos; fxch ST(1), ST(0); } } } else { return cos(y) + sin(y)*1i; } } /// @safe pure nothrow @nogc unittest { assert(expi(1.3e5L) == cos(1.3e5L) + sin(1.3e5L) * 1i); assert(expi(0.0L) == 1L + 0.0Li); } /********************************************************************* * Separate floating point value into significand and exponent. * * Returns: * Calculate and return $(I x) and $(I exp) such that * value =$(I x)*2$(SUPERSCRIPT exp) and * .5 $(LT)= |$(I x)| $(LT) 1.0 * * $(I x) has same sign as value. * * $(TABLE_SV * $(TR $(TH value) $(TH returns) $(TH exp)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD 0)) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD int.max)) * $(TR $(TD -$(INFIN)) $(TD -$(INFIN)) $(TD int.min)) * $(TR $(TD $(PLUSMN)$(NAN)) $(TD $(PLUSMN)$(NAN)) $(TD int.min)) * ) */ T frexp(T)(const T value, out int exp) @trusted pure nothrow @nogc if(isFloatingPoint!T) { Unqual!T vf = value; ushort* vu = cast(ushort*)&vf; static if(is(Unqual!T == float)) int* vi = cast(int*)&vf; else long* vl = cast(long*)&vf; int ex; alias F = floatTraits!T; ex = vu[F.EXPPOS_SHORT] & F.EXPMASK; static if (F.realFormat == RealFormat.ieeeExtended) { if (ex) { // If exponent is non-zero if (ex == F.EXPMASK) // infinity or NaN { if (*vl & 0x7FFF_FFFF_FFFF_FFFF) // NaN { *vl |= 0xC000_0000_0000_0000; // convert NaNS to NaNQ exp = int.min; } else if (vu[F.EXPPOS_SHORT] & 0x8000) // negative infinity exp = int.min; else // positive infinity exp = int.max; } else { exp = ex - F.EXPBIAS; vu[F.EXPPOS_SHORT] = (0x8000 & vu[F.EXPPOS_SHORT]) | 0x3FFE; } } else if (!*vl) { // vf is +-0.0 exp = 0; } else { // subnormal vf *= F.RECIP_EPSILON; ex = vu[F.EXPPOS_SHORT] & F.EXPMASK; exp = ex - F.EXPBIAS - T.mant_dig + 1; vu[F.EXPPOS_SHORT] = (0x8000 & vu[F.EXPPOS_SHORT]) | 0x3FFE; } return vf; } else static if (F.realFormat == RealFormat.ieeeQuadruple) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) { // infinity or NaN if (vl[MANTISSA_LSB] | ( vl[MANTISSA_MSB] & 0x0000_FFFF_FFFF_FFFF)) // NaN { // convert NaNS to NaNQ vl[MANTISSA_MSB] |= 0x0000_8000_0000_0000; exp = int.min; } else if (vu[F.EXPPOS_SHORT] & 0x8000) // negative infinity exp = int.min; else // positive infinity exp = int.max; } else { exp = ex - F.EXPBIAS; vu[F.EXPPOS_SHORT] = cast(ushort)((0x8000 & vu[F.EXPPOS_SHORT]) | 0x3FFE); } } else if ((vl[MANTISSA_LSB] |(vl[MANTISSA_MSB] & 0x0000_FFFF_FFFF_FFFF)) == 0) { // vf is +-0.0 exp = 0; } else { // subnormal vf *= F.RECIP_EPSILON; ex = vu[F.EXPPOS_SHORT] & F.EXPMASK; exp = ex - F.EXPBIAS - T.mant_dig + 1; vu[F.EXPPOS_SHORT] = cast(ushort)((0x8000 & vu[F.EXPPOS_SHORT]) | 0x3FFE); } return vf; } else static if (F.realFormat == RealFormat.ieeeDouble) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) // infinity or NaN { if (*vl == 0x7FF0_0000_0000_0000) // positive infinity { exp = int.max; } else if (*vl == 0xFFF0_0000_0000_0000) // negative infinity exp = int.min; else { // NaN *vl |= 0x0008_0000_0000_0000; // convert NaNS to NaNQ exp = int.min; } } else { exp = (ex - F.EXPBIAS) >> 4; vu[F.EXPPOS_SHORT] = cast(ushort)((0x800F & vu[F.EXPPOS_SHORT]) | 0x3FE0); } } else if (!(*vl & 0x7FFF_FFFF_FFFF_FFFF)) { // vf is +-0.0 exp = 0; } else { // subnormal vf *= F.RECIP_EPSILON; ex = vu[F.EXPPOS_SHORT] & F.EXPMASK; exp = ((ex - F.EXPBIAS) >> 4) - T.mant_dig + 1; vu[F.EXPPOS_SHORT] = cast(ushort)((0x8000 & vu[F.EXPPOS_SHORT]) | 0x3FE0); } return vf; } else static if (F.realFormat == RealFormat.ieeeSingle) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) // infinity or NaN { if (*vi == 0x7F80_0000) // positive infinity { exp = int.max; } else if (*vi == 0xFF80_0000) // negative infinity exp = int.min; else { // NaN *vi |= 0x0040_0000; // convert NaNS to NaNQ exp = int.min; } } else { exp = (ex - F.EXPBIAS) >> 7; vu[F.EXPPOS_SHORT] = cast(ushort)((0x807F & vu[F.EXPPOS_SHORT]) | 0x3F00); } } else if (!(*vi & 0x7FFF_FFFF)) { // vf is +-0.0 exp = 0; } else { // subnormal vf *= F.RECIP_EPSILON; ex = vu[F.EXPPOS_SHORT] & F.EXPMASK; exp = ((ex - F.EXPBIAS) >> 7) - T.mant_dig + 1; vu[F.EXPPOS_SHORT] = cast(ushort)((0x8000 & vu[F.EXPPOS_SHORT]) | 0x3F00); } return vf; } else // static if (F.realFormat == RealFormat.ibmExtended) { assert (0, "frexp not implemented"); } } /// unittest { int exp; real mantissa = frexp(123.456L, exp); // check if values are equal to 19 decimal digits of precision assert(equalsDigit(mantissa * pow(2.0L, cast(real)exp), 123.456L, 19)); assert(frexp(-real.nan, exp) && exp == int.min); assert(frexp(real.nan, exp) && exp == int.min); assert(frexp(-real.infinity, exp) == -real.infinity && exp == int.min); assert(frexp(real.infinity, exp) == real.infinity && exp == int.max); assert(frexp(-0.0, exp) == -0.0 && exp == 0); assert(frexp(0.0, exp) == 0.0 && exp == 0); } unittest { import std.meta, std.typecons; foreach (T; AliasSeq!(real, double, float)) { Tuple!(T, T, int)[] vals = // x,frexp,exp [ tuple(T(0.0), T( 0.0 ), 0), tuple(T(-0.0), T( -0.0), 0), tuple(T(1.0), T( .5 ), 1), tuple(T(-1.0), T( -.5 ), 1), tuple(T(2.0), T( .5 ), 2), tuple(T(float.min_normal/2.0f), T(.5), -126), tuple(T.infinity, T.infinity, int.max), tuple(-T.infinity, -T.infinity, int.min), tuple(T.nan, T.nan, int.min), tuple(-T.nan, -T.nan, int.min), ]; foreach(elem; vals) { T x = elem[0]; T e = elem[1]; int exp = elem[2]; int eptr; T v = frexp(x, eptr); assert(isIdentical(e, v)); assert(exp == eptr); } static if (floatTraits!(T).realFormat == RealFormat.ieeeExtended) { static T[3][] extendedvals = [ // x,frexp,exp [0x1.a5f1c2eb3fe4efp+73L, 0x1.A5F1C2EB3FE4EFp-1L, 74], // normal [0x1.fa01712e8f0471ap-1064L, 0x1.fa01712e8f0471ap-1L, -1063], [T.min_normal, .5, -16381], [T.min_normal/2.0L, .5, -16382] // subnormal ]; foreach(elem; extendedvals) { T x = elem[0]; T e = elem[1]; int exp = cast(int)elem[2]; int eptr; T v = frexp(x, eptr); assert(isIdentical(e, v)); assert(exp == eptr); } } } } unittest { import std.meta: AliasSeq; void foo() { foreach (T; AliasSeq!(real, double, float)) { int exp; const T a = 1; immutable T b = 2; auto c = frexp(a, exp); auto d = frexp(b, exp); } } } static import core.bitop; static if (size_t.sizeof == 4) { private int bsr_ulong(ulong x) @trusted pure nothrow @nogc { size_t msb = x >> 32; size_t lsb = cast(size_t) x; if (msb) return core.bitop.bsr(msb) + 32; else return core.bitop.bsr(lsb); } } else private alias bsr_ulong = core.bitop.bsr; /****************************************** * Extracts the exponent of x as a signed integral value. * * If x is not a special value, the result is the same as * $(D cast(int)logb(x)). * * $(TABLE_SV * $(TR $(TH x) $(TH ilogb(x)) $(TH Range error?)) * $(TR $(TD 0) $(TD FP_ILOGB0) $(TD yes)) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD int.max) $(TD no)) * $(TR $(TD $(NAN)) $(TD FP_ILOGBNAN) $(TD no)) * ) */ int ilogb(T)(const T x) @trusted pure nothrow @nogc if(isFloatingPoint!T) { alias F = floatTraits!T; union floatBits { T rv; ushort[T.sizeof/2] vu; uint[T.sizeof/4] vui; static if(T.sizeof >= 8) long[T.sizeof/8] vl; } floatBits y = void; y.rv = x; int ex = y.vu[F.EXPPOS_SHORT] & F.EXPMASK; static if (F.realFormat == RealFormat.ieeeExtended) { if (ex) { // If exponent is non-zero if (ex == F.EXPMASK) // infinity or NaN { if (y.vl[0] & 0x7FFF_FFFF_FFFF_FFFF) // NaN return FP_ILOGBNAN; else // +-infinity return int.max; } else { return ex - F.EXPBIAS - 1; } } else if (!y.vl[0]) { // vf is +-0.0 return FP_ILOGB0; } else { // subnormal uint msb = y.vui[MANTISSA_MSB]; uint lsb = y.vui[MANTISSA_LSB]; if (msb) return ex - F.EXPBIAS - T.mant_dig + 1 + 32 + core.bitop.bsr(msb); else return ex - F.EXPBIAS - T.mant_dig + 1 + core.bitop.bsr(lsb); } } else static if (F.realFormat == RealFormat.ieeeQuadruple) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) { // infinity or NaN if (y.vl[MANTISSA_LSB] | ( y.vl[MANTISSA_MSB] & 0x0000_FFFF_FFFF_FFFF)) // NaN return FP_ILOGBNAN; else // +- infinity return int.max; } else { return ex - F.EXPBIAS - 1; } } else if ((y.vl[MANTISSA_LSB] | (y.vl[MANTISSA_MSB] & 0x0000_FFFF_FFFF_FFFF)) == 0) { // vf is +-0.0 return FP_ILOGB0; } else { // subnormal ulong msb = y.vl[MANTISSA_MSB] & 0x0000_FFFF_FFFF_FFFF; ulong lsb = y.vl[MANTISSA_LSB]; if (msb) return ex - F.EXPBIAS - T.mant_dig + 1 + bsr_ulong(msb) + 64; else return ex - F.EXPBIAS - T.mant_dig + 1 + bsr_ulong(lsb); } } else static if (F.realFormat == RealFormat.ieeeDouble) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) // infinity or NaN { if ((y.vl[0] & 0x7FFF_FFFF_FFFF_FFFF) == 0x7FF0_0000_0000_0000) // +- infinity return int.max; else // NaN return FP_ILOGBNAN; } else { return ((ex - F.EXPBIAS) >> 4) - 1; } } else if (!(y.vl[0] & 0x7FFF_FFFF_FFFF_FFFF)) { // vf is +-0.0 return FP_ILOGB0; } else { // subnormal uint msb = y.vui[MANTISSA_MSB] & F.MANTISSAMASK_INT; uint lsb = y.vui[MANTISSA_LSB]; if (msb) return ((ex - F.EXPBIAS) >> 4) - T.mant_dig + 1 + core.bitop.bsr(msb) + 32; else return ((ex - F.EXPBIAS) >> 4) - T.mant_dig + 1 + core.bitop.bsr(lsb); } } else static if (F.realFormat == RealFormat.ieeeSingle) { if (ex) // If exponent is non-zero { if (ex == F.EXPMASK) // infinity or NaN { if ((y.vui[0] & 0x7FFF_FFFF) == 0x7F80_0000) // +- infinity return int.max; else // NaN return FP_ILOGBNAN; } else { return ((ex - F.EXPBIAS) >> 7) - 1; } } else if (!(y.vui[0] & 0x7FFF_FFFF)) { // vf is +-0.0 return FP_ILOGB0; } else { // subnormal uint mantissa = y.vui[0] & F.MANTISSAMASK_INT; return ((ex - F.EXPBIAS) >> 7) - T.mant_dig + 1 + core.bitop.bsr(mantissa); } } else // static if (F.realFormat == RealFormat.ibmExtended) { core.stdc.math.ilogbl(x); } } int ilogb(T)(const T x) @safe pure nothrow @nogc if(isIntegral!T && isUnsigned!T) { if (x == 0) return FP_ILOGB0; else { static if (T.sizeof <= size_t.sizeof) { return core.bitop.bsr(x); } else static if (T.sizeof == ulong.sizeof) { return bsr_ulong(x); } else { assert (false, "integer size too large for the current ilogb implementation"); } } } int ilogb(T)(const T x) @safe pure nothrow @nogc if(isIntegral!T && isSigned!T) { // Note: abs(x) can not be used because the return type is not Unsigned and // the return value would be wrong for x == int.min Unsigned!T absx = x>=0 ? x : -x; return ilogb(absx); } alias FP_ILOGB0 = core.stdc.math.FP_ILOGB0; alias FP_ILOGBNAN = core.stdc.math.FP_ILOGBNAN; @trusted nothrow @nogc unittest { import std.meta, std.typecons; foreach (F; AliasSeq!(float, double, real)) { alias T = Tuple!(F, int); T[13] vals = // x, ilogb(x) [ T( F.nan , FP_ILOGBNAN ), T( -F.nan , FP_ILOGBNAN ), T( F.infinity, int.max ), T( -F.infinity, int.max ), T( 0.0 , FP_ILOGB0 ), T( -0.0 , FP_ILOGB0 ), T( 2.0 , 1 ), T( 2.0001 , 1 ), T( 1.9999 , 0 ), T( 0.5 , -1 ), T( 123.123 , 6 ), T( -123.123 , 6 ), T( 0.123 , -4 ), ]; foreach(elem; vals) { assert(ilogb(elem[0]) == elem[1]); } } // min_normal and subnormals assert(ilogb(-float.min_normal) == -126); assert(ilogb(nextUp(-float.min_normal)) == -127); assert(ilogb(nextUp(-float(0.0))) == -149); assert(ilogb(-double.min_normal) == -1022); assert(ilogb(nextUp(-double.min_normal)) == -1023); assert(ilogb(nextUp(-double(0.0))) == -1074); static if (floatTraits!(real).realFormat == RealFormat.ieeeExtended) { assert(ilogb(-real.min_normal) == -16382); assert(ilogb(nextUp(-real.min_normal)) == -16383); assert(ilogb(nextUp(-real(0.0))) == -16445); } else static if (floatTraits!(real).realFormat == RealFormat.ieeeDouble) { assert(ilogb(-real.min_normal) == -1022); assert(ilogb(nextUp(-real.min_normal)) == -1023); assert(ilogb(nextUp(-real(0.0))) == -1074); } // test integer types assert(ilogb(0) == FP_ILOGB0); assert(ilogb(int.max) == 30); assert(ilogb(int.min) == 31); assert(ilogb(uint.max) == 31); assert(ilogb(long.max) == 62); assert(ilogb(long.min) == 63); assert(ilogb(ulong.max) == 63); } /******************************************* * Compute n * 2$(SUPERSCRIPT exp) * References: frexp */ real ldexp(real n, int exp) @nogc @safe pure nothrow { pragma(inline, true); return core.math.ldexp(n, exp); } //FIXME ///ditto double ldexp(double n, int exp) @safe pure nothrow @nogc { return ldexp(cast(real)n, exp); } //FIXME ///ditto float ldexp(float n, int exp) @safe pure nothrow @nogc { return ldexp(cast(real)n, exp); } /// @nogc @safe pure nothrow unittest { import std.meta; foreach(T; AliasSeq!(float, double, real)) { T r; r = ldexp(3.0L, 3); assert(r == 24); r = ldexp(cast(T)3.0, cast(int) 3); assert(r == 24); T n = 3.0; int exp = 3; r = ldexp(n, exp); assert(r == 24); } } @safe pure nothrow @nogc unittest { static if (floatTraits!(real).realFormat == RealFormat.ieeeExtended) { assert(ldexp(1.0L, -16384) == 0x1p-16384L); assert(ldexp(1.0L, -16382) == 0x1p-16382L); int x; real n = frexp(0x1p-16384L, x); assert(n==0.5L); assert(x==-16383); assert(ldexp(n, x)==0x1p-16384L); } else static if (floatTraits!(real).realFormat == RealFormat.ieeeDouble) { assert(ldexp(1.0L, -1024) == 0x1p-1024L); assert(ldexp(1.0L, -1022) == 0x1p-1022L); int x; real n = frexp(0x1p-1024L, x); assert(n==0.5L); assert(x==-1023); assert(ldexp(n, x)==0x1p-1024L); } else static assert(false, "Floating point type real not supported"); } /* workaround Issue 14718, float parsing depends on platform strtold typed_allocator.d @safe pure nothrow @nogc unittest { assert(ldexp(1.0, -1024) == 0x1p-1024); assert(ldexp(1.0, -1022) == 0x1p-1022); int x; double n = frexp(0x1p-1024, x); assert(n==0.5); assert(x==-1023); assert(ldexp(n, x)==0x1p-1024); } @safe pure nothrow @nogc unittest { assert(ldexp(1.0f, -128) == 0x1p-128f); assert(ldexp(1.0f, -126) == 0x1p-126f); int x; float n = frexp(0x1p-128f, x); assert(n==0.5f); assert(x==-127); assert(ldexp(n, x)==0x1p-128f); } */ unittest { static real[3][] vals = // value,exp,ldexp [ [ 0, 0, 0], [ 1, 0, 1], [ -1, 0, -1], [ 1, 1, 2], [ 123, 10, 125952], [ real.max, int.max, real.infinity], [ real.max, -int.max, 0], [ real.min_normal, -int.max, 0], ]; int i; for (i = 0; i < vals.length; i++) { real x = vals[i][0]; int exp = cast(int)vals[i][1]; real z = vals[i][2]; real l = ldexp(x, exp); assert(equalsDigit(z, l, 7)); } real function(real, int) pldexp = &ldexp; assert(pldexp != null); } /************************************** * Calculate the natural logarithm of x. * * $(TABLE_SV * $(TR $(TH x) $(TH log(x)) $(TH divide by 0?) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD -$(INFIN)) $(TD yes) $(TD no)) * $(TR $(TD $(LT)0.0) $(TD $(NAN)) $(TD no) $(TD yes)) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD no) $(TD no)) * ) */ real log(real x) @safe pure nothrow @nogc { version (INLINE_YL2X) return yl2x(x, LN2); else { // Coefficients for log(1 + x) static immutable real[7] P = [ 2.0039553499201281259648E1L, 5.7112963590585538103336E1L, 6.0949667980987787057556E1L, 2.9911919328553073277375E1L, 6.5787325942061044846969E0L, 4.9854102823193375972212E-1L, 4.5270000862445199635215E-5L, ]; static immutable real[7] Q = [ 6.0118660497603843919306E1L, 2.1642788614495947685003E2L, 3.0909872225312059774938E2L, 2.2176239823732856465394E2L, 8.3047565967967209469434E1L, 1.5062909083469192043167E1L, 1.0000000000000000000000E0L, ]; // Coefficients for log(x) static immutable real[4] R = [ -3.5717684488096787370998E1L, 1.0777257190312272158094E1L, -7.1990767473014147232598E-1L, 1.9757429581415468984296E-3L, ]; static immutable real[4] S = [ -4.2861221385716144629696E2L, 1.9361891836232102174846E2L, -2.6201045551331104417768E1L, 1.0000000000000000000000E0L, ]; // C1 + C2 = LN2. enum real C1 = 6.9314575195312500000000E-1L; enum real C2 = 1.4286068203094172321215E-6L; // Special cases. if (isNaN(x)) return x; if (isInfinity(x) && !signbit(x)) return x; if (x == 0.0) return -real.infinity; if (x < 0.0) return real.nan; // Separate mantissa from exponent. // Note, frexp is used so that denormal numbers will be handled properly. real y, z; int exp; x = frexp(x, exp); // Logarithm using log(x) = z + z^^3 P(z) / Q(z), // where z = 2(x - 1)/(x + 1) if((exp > 2) || (exp < -2)) { if(x < SQRT1_2) { // 2(2x - 1)/(2x + 1) exp -= 1; z = x - 0.5; y = 0.5 * z + 0.5; } else { // 2(x - 1)/(x + 1) z = x - 0.5; z -= 0.5; y = 0.5 * x + 0.5; } x = z / y; z = x * x; z = x * (z * poly(z, R) / poly(z, S)); z += exp * C2; z += x; z += exp * C1; return z; } // Logarithm using log(1 + x) = x - .5x^^2 + x^^3 P(x) / Q(x) if (x < SQRT1_2) { // 2x - 1 exp -= 1; x = ldexp(x, 1) - 1.0; } else { x = x - 1.0; } z = x * x; y = x * (z * poly(x, P) / poly(x, Q)); y += exp * C2; z = y - ldexp(z, -1); // Note, the sum of above terms does not exceed x/4, // so it contributes at most about 1/4 lsb to the error. z += x; z += exp * C1; return z; } } /// @safe pure nothrow @nogc unittest { assert(log(E) == 1); } /************************************** * Calculate the base-10 logarithm of x. * * $(TABLE_SV * $(TR $(TH x) $(TH log10(x)) $(TH divide by 0?) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD -$(INFIN)) $(TD yes) $(TD no)) * $(TR $(TD $(LT)0.0) $(TD $(NAN)) $(TD no) $(TD yes)) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD no) $(TD no)) * ) */ real log10(real x) @safe pure nothrow @nogc { version (INLINE_YL2X) return yl2x(x, LOG2); else { // Coefficients for log(1 + x) static immutable real[7] P = [ 2.0039553499201281259648E1L, 5.7112963590585538103336E1L, 6.0949667980987787057556E1L, 2.9911919328553073277375E1L, 6.5787325942061044846969E0L, 4.9854102823193375972212E-1L, 4.5270000862445199635215E-5L, ]; static immutable real[7] Q = [ 6.0118660497603843919306E1L, 2.1642788614495947685003E2L, 3.0909872225312059774938E2L, 2.2176239823732856465394E2L, 8.3047565967967209469434E1L, 1.5062909083469192043167E1L, 1.0000000000000000000000E0L, ]; // Coefficients for log(x) static immutable real[4] R = [ -3.5717684488096787370998E1L, 1.0777257190312272158094E1L, -7.1990767473014147232598E-1L, 1.9757429581415468984296E-3L, ]; static immutable real[4] S = [ -4.2861221385716144629696E2L, 1.9361891836232102174846E2L, -2.6201045551331104417768E1L, 1.0000000000000000000000E0L, ]; // log10(2) split into two parts. enum real L102A = 0.3125L; enum real L102B = -1.14700043360188047862611052755069732318101185E-2L; // log10(e) split into two parts. enum real L10EA = 0.5L; enum real L10EB = -6.570551809674817234887108108339491770560299E-2L; // Special cases are the same as for log. if (isNaN(x)) return x; if (isInfinity(x) && !signbit(x)) return x; if (x == 0.0) return -real.infinity; if (x < 0.0) return real.nan; // Separate mantissa from exponent. // Note, frexp is used so that denormal numbers will be handled properly. real y, z; int exp; x = frexp(x, exp); // Logarithm using log(x) = z + z^^3 P(z) / Q(z), // where z = 2(x - 1)/(x + 1) if((exp > 2) || (exp < -2)) { if(x < SQRT1_2) { // 2(2x - 1)/(2x + 1) exp -= 1; z = x - 0.5; y = 0.5 * z + 0.5; } else { // 2(x - 1)/(x + 1) z = x - 0.5; z -= 0.5; y = 0.5 * x + 0.5; } x = z / y; z = x * x; y = x * (z * poly(z, R) / poly(z, S)); goto Ldone; } // Logarithm using log(1 + x) = x - .5x^^2 + x^^3 P(x) / Q(x) if (x < SQRT1_2) { // 2x - 1 exp -= 1; x = ldexp(x, 1) - 1.0; } else x = x - 1.0; z = x * x; y = x * (z * poly(x, P) / poly(x, Q)); y = y - ldexp(z, -1); // Multiply log of fraction by log10(e) and base 2 exponent by log10(2). // This sequence of operations is critical and it may be horribly // defeated by some compiler optimizers. Ldone: z = y * L10EB; z += x * L10EB; z += exp * L102B; z += y * L10EA; z += x * L10EA; z += exp * L102A; return z; } } /// @safe pure nothrow @nogc unittest { assert(fabs(log10(1000) - 3) < .000001); } /****************************************** * Calculates the natural logarithm of 1 + x. * * For very small x, log1p(x) will be more accurate than * log(1 + x). * * $(TABLE_SV * $(TR $(TH x) $(TH log1p(x)) $(TH divide by 0?) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no) $(TD no)) * $(TR $(TD -1.0) $(TD -$(INFIN)) $(TD yes) $(TD no)) * $(TR $(TD $(LT)-1.0) $(TD $(NAN)) $(TD no) $(TD yes)) * $(TR $(TD +$(INFIN)) $(TD -$(INFIN)) $(TD no) $(TD no)) * ) */ real log1p(real x) @safe pure nothrow @nogc { version(INLINE_YL2X) { // On x87, yl2xp1 is valid if and only if -0.5 <= lg(x) <= 0.5, // ie if -0.29<=x<=0.414 return (fabs(x) <= 0.25) ? yl2xp1(x, LN2) : yl2x(x+1, LN2); } else { // Special cases. if (isNaN(x) || x == 0.0) return x; if (isInfinity(x) && !signbit(x)) return x; if (x == -1.0) return -real.infinity; if (x < -1.0) return real.nan; return log(x + 1.0); } } /*************************************** * Calculates the base-2 logarithm of x: * $(SUB log, 2)x * * $(TABLE_SV * $(TR $(TH x) $(TH log2(x)) $(TH divide by 0?) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD -$(INFIN)) $(TD yes) $(TD no) ) * $(TR $(TD $(LT)0.0) $(TD $(NAN)) $(TD no) $(TD yes) ) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD no) $(TD no) ) * ) */ real log2(real x) @safe pure nothrow @nogc { version (INLINE_YL2X) return yl2x(x, 1); else { // Coefficients for log(1 + x) static immutable real[7] P = [ 2.0039553499201281259648E1L, 5.7112963590585538103336E1L, 6.0949667980987787057556E1L, 2.9911919328553073277375E1L, 6.5787325942061044846969E0L, 4.9854102823193375972212E-1L, 4.5270000862445199635215E-5L, ]; static immutable real[7] Q = [ 6.0118660497603843919306E1L, 2.1642788614495947685003E2L, 3.0909872225312059774938E2L, 2.2176239823732856465394E2L, 8.3047565967967209469434E1L, 1.5062909083469192043167E1L, 1.0000000000000000000000E0L, ]; // Coefficients for log(x) static immutable real[4] R = [ -3.5717684488096787370998E1L, 1.0777257190312272158094E1L, -7.1990767473014147232598E-1L, 1.9757429581415468984296E-3L, ]; static immutable real[4] S = [ -4.2861221385716144629696E2L, 1.9361891836232102174846E2L, -2.6201045551331104417768E1L, 1.0000000000000000000000E0L, ]; // Special cases are the same as for log. if (isNaN(x)) return x; if (isInfinity(x) && !signbit(x)) return x; if (x == 0.0) return -real.infinity; if (x < 0.0) return real.nan; // Separate mantissa from exponent. // Note, frexp is used so that denormal numbers will be handled properly. real y, z; int exp; x = frexp(x, exp); // Logarithm using log(x) = z + z^^3 P(z) / Q(z), // where z = 2(x - 1)/(x + 1) if((exp > 2) || (exp < -2)) { if(x < SQRT1_2) { // 2(2x - 1)/(2x + 1) exp -= 1; z = x - 0.5; y = 0.5 * z + 0.5; } else { // 2(x - 1)/(x + 1) z = x - 0.5; z -= 0.5; y = 0.5 * x + 0.5; } x = z / y; z = x * x; y = x * (z * poly(z, R) / poly(z, S)); goto Ldone; } // Logarithm using log(1 + x) = x - .5x^^2 + x^^3 P(x) / Q(x) if (x < SQRT1_2) { // 2x - 1 exp -= 1; x = ldexp(x, 1) - 1.0; } else x = x - 1.0; z = x * x; y = x * (z * poly(x, P) / poly(x, Q)); y = y - ldexp(z, -1); // Multiply log of fraction by log10(e) and base 2 exponent by log10(2). // This sequence of operations is critical and it may be horribly // defeated by some compiler optimizers. Ldone: z = y * (LOG2E - 1.0); z += x * (LOG2E - 1.0); z += y; z += x; z += exp; return z; } } /// unittest { // check if values are equal to 19 decimal digits of precision assert(equalsDigit(log2(1024.0L), 10, 19)); } /***************************************** * Extracts the exponent of x as a signed integral value. * * If x is subnormal, it is treated as if it were normalized. * For a positive, finite x: * * 1 $(LT)= $(I x) * FLT_RADIX$(SUPERSCRIPT -logb(x)) $(LT) FLT_RADIX * * $(TABLE_SV * $(TR $(TH x) $(TH logb(x)) $(TH divide by 0?) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD +$(INFIN)) $(TD no)) * $(TR $(TD $(PLUSMN)0.0) $(TD -$(INFIN)) $(TD yes) ) * ) */ real logb(real x) @trusted nothrow @nogc { version (Win64_DMD_InlineAsm) { asm pure nothrow @nogc { naked ; fld real ptr [RCX] ; fxtract ; fstp ST(0) ; ret ; } } else version (CRuntime_Microsoft) { asm pure nothrow @nogc { fld x ; fxtract ; fstp ST(0) ; } } else return core.stdc.math.logbl(x); } /************************************ * Calculates the remainder from the calculation x/y. * Returns: * The value of x - i * y, where i is the number of times that y can * be completely subtracted from x. The result has the same sign as x. * * $(TABLE_SV * $(TR $(TH x) $(TH y) $(TH fmod(x, y)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD not 0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD anything) $(TD $(NAN)) $(TD yes)) * $(TR $(TD anything) $(TD $(PLUSMN)0.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD !=$(PLUSMNINF)) $(TD $(PLUSMNINF)) $(TD x) $(TD no)) * ) */ real fmod(real x, real y) @trusted nothrow @nogc { version (CRuntime_Microsoft) { return x % y; } else return core.stdc.math.fmodl(x, y); } /************************************ * Breaks x into an integral part and a fractional part, each of which has * the same sign as x. The integral part is stored in i. * Returns: * The fractional part of x. * * $(TABLE_SV * $(TR $(TH x) $(TH i (on input)) $(TH modf(x, i)) $(TH i (on return))) * $(TR $(TD $(PLUSMNINF)) $(TD anything) $(TD $(PLUSMN)0.0) $(TD $(PLUSMNINF))) * ) */ real modf(real x, ref real i) @trusted nothrow @nogc { version (CRuntime_Microsoft) { i = trunc(x); return copysign(isInfinity(x) ? 0.0 : x - i, x); } else return core.stdc.math.modfl(x,&i); } /************************************* * Efficiently calculates x * 2$(SUPERSCRIPT n). * * scalbn handles underflow and overflow in * the same fashion as the basic arithmetic operators. * * $(TABLE_SV * $(TR $(TH x) $(TH scalb(x))) * $(TR $(TD $(PLUSMNINF)) $(TD $(PLUSMNINF)) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) ) * ) */ real scalbn(real x, int n) @trusted nothrow @nogc { version(InlineAsm_X86_Any) { // scalbnl is not supported on DMD-Windows, so use asm pure nothrow @nogc. version (Win64) { asm pure nothrow @nogc { naked ; mov 16[RSP],RCX ; fild word ptr 16[RSP] ; fld real ptr [RDX] ; fscale ; fstp ST(1) ; ret ; } } else { asm pure nothrow @nogc { fild n; fld x; fscale; fstp ST(1); } } } else { return core.stdc.math.scalbnl(x, n); } } /// @safe nothrow @nogc unittest { assert(scalbn(-real.infinity, 5) == -real.infinity); } /*************** * Calculates the cube root of x. * * $(TABLE_SV * $(TR $(TH $(I x)) $(TH cbrt(x)) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no) ) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(PLUSMN)$(INFIN)) $(TD no) ) * ) */ real cbrt(real x) @trusted nothrow @nogc { version (CRuntime_Microsoft) { version (INLINE_YL2X) return copysign(exp2(yl2x(fabs(x), 1.0L/3.0L)), x); else return core.stdc.math.cbrtl(x); } else return core.stdc.math.cbrtl(x); } /******************************* * Returns |x| * * $(TABLE_SV * $(TR $(TH x) $(TH fabs(x))) * $(TR $(TD $(PLUSMN)0.0) $(TD +0.0) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD +$(INFIN)) ) * ) */ real fabs(real x) @safe pure nothrow @nogc { pragma(inline, true); return core.math.fabs(x); } //FIXME ///ditto double fabs(double x) @safe pure nothrow @nogc { return fabs(cast(real)x); } //FIXME ///ditto float fabs(float x) @safe pure nothrow @nogc { return fabs(cast(real)x); } unittest { real function(real) pfabs = &fabs; assert(pfabs != null); } /*********************************************************************** * Calculates the length of the * hypotenuse of a right-angled triangle with sides of length x and y. * The hypotenuse is the value of the square root of * the sums of the squares of x and y: * * sqrt($(POWER x, 2) + $(POWER y, 2)) * * Note that hypot(x, y), hypot(y, x) and * hypot(x, -y) are equivalent. * * $(TABLE_SV * $(TR $(TH x) $(TH y) $(TH hypot(x, y)) $(TH invalid?)) * $(TR $(TD x) $(TD $(PLUSMN)0.0) $(TD |x|) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD y) $(TD +$(INFIN)) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD $(NAN)) $(TD +$(INFIN)) $(TD no)) * ) */ real hypot(real x, real y) @safe pure nothrow @nogc { // Scale x and y to avoid underflow and overflow. // If one is huge and the other tiny, return the larger. // If both are huge, avoid overflow by scaling by 1/sqrt(real.max/2). // If both are tiny, avoid underflow by scaling by sqrt(real.min_normal*real.epsilon). enum real SQRTMIN = 0.5 * sqrt(real.min_normal); // This is a power of 2. enum real SQRTMAX = 1.0L / SQRTMIN; // 2^^((max_exp)/2) = nextUp(sqrt(real.max)) static assert(2*(SQRTMAX/2)*(SQRTMAX/2) <= real.max); // Proves that sqrt(real.max) ~~ 0.5/sqrt(real.min_normal) static assert(real.min_normal*real.max > 2 && real.min_normal*real.max <= 4); real u = fabs(x); real v = fabs(y); if (!(u >= v)) // check for NaN as well. { v = u; u = fabs(y); if (u == real.infinity) return u; // hypot(inf, nan) == inf if (v == real.infinity) return v; // hypot(nan, inf) == inf } // Now u >= v, or else one is NaN. if (v >= SQRTMAX*0.5) { // hypot(huge, huge) -- avoid overflow u *= SQRTMIN*0.5; v *= SQRTMIN*0.5; return sqrt(u*u + v*v) * SQRTMAX * 2.0; } if (u <= SQRTMIN) { // hypot (tiny, tiny) -- avoid underflow // This is only necessary to avoid setting the underflow // flag. u *= SQRTMAX / real.epsilon; v *= SQRTMAX / real.epsilon; return sqrt(u*u + v*v) * SQRTMIN * real.epsilon; } if (u * real.epsilon > v) { // hypot (huge, tiny) = huge return u; } // both are in the normal range return sqrt(u*u + v*v); } unittest { static real[3][] vals = // x,y,hypot [ [ 0.0, 0.0, 0.0], [ 0.0, -0.0, 0.0], [ -0.0, -0.0, 0.0], [ 3.0, 4.0, 5.0], [ -300, -400, 500], [0.0, 7.0, 7.0], [9.0, 9*real.epsilon, 9.0], [88/(64*sqrt(real.min_normal)), 105/(64*sqrt(real.min_normal)), 137/(64*sqrt(real.min_normal))], [88/(128*sqrt(real.min_normal)), 105/(128*sqrt(real.min_normal)), 137/(128*sqrt(real.min_normal))], [3*real.min_normal*real.epsilon, 4*real.min_normal*real.epsilon, 5*real.min_normal*real.epsilon], [ real.min_normal, real.min_normal, sqrt(2.0L)*real.min_normal], [ real.max/sqrt(2.0L), real.max/sqrt(2.0L), real.max], [ real.infinity, real.nan, real.infinity], [ real.nan, real.infinity, real.infinity], [ real.nan, real.nan, real.nan], [ real.nan, real.max, real.nan], [ real.max, real.nan, real.nan], ]; for (int i = 0; i < vals.length; i++) { real x = vals[i][0]; real y = vals[i][1]; real z = vals[i][2]; real h = hypot(x, y); assert(isIdentical(z,h) || feqrel(z, h) >= real.mant_dig - 1); } } /************************************** * Returns the value of x rounded upward to the next integer * (toward positive infinity). */ real ceil(real x) @trusted pure nothrow @nogc { version (Win64_DMD_InlineAsm) { asm pure nothrow @nogc { naked ; fld real ptr [RCX] ; fstcw 8[RSP] ; mov AL,9[RSP] ; mov DL,AL ; and AL,0xC3 ; or AL,0x08 ; // round to +infinity mov 9[RSP],AL ; fldcw 8[RSP] ; frndint ; mov 9[RSP],DL ; fldcw 8[RSP] ; ret ; } } else version(CRuntime_Microsoft) { short cw; asm pure nothrow @nogc { fld x ; fstcw cw ; mov AL,byte ptr cw+1 ; mov DL,AL ; and AL,0xC3 ; or AL,0x08 ; // round to +infinity mov byte ptr cw+1,AL ; fldcw cw ; frndint ; mov byte ptr cw+1,DL ; fldcw cw ; } } else { // Special cases. if (isNaN(x) || isInfinity(x)) return x; real y = floorImpl(x); if (y < x) y += 1.0; return y; } } /// @safe pure nothrow @nogc unittest { assert(ceil(+123.456L) == +124); assert(ceil(-123.456L) == -123); assert(ceil(-1.234L) == -1); assert(ceil(-0.123L) == 0); assert(ceil(0.0L) == 0); assert(ceil(+0.123L) == 1); assert(ceil(+1.234L) == 2); assert(ceil(real.infinity) == real.infinity); assert(isNaN(ceil(real.nan))); assert(isNaN(ceil(real.init))); } // ditto double ceil(double x) @trusted pure nothrow @nogc { // Special cases. if (isNaN(x) || isInfinity(x)) return x; double y = floorImpl(x); if (y < x) y += 1.0; return y; } @safe pure nothrow @nogc unittest { assert(ceil(+123.456) == +124); assert(ceil(-123.456) == -123); assert(ceil(-1.234) == -1); assert(ceil(-0.123) == 0); assert(ceil(0.0) == 0); assert(ceil(+0.123) == 1); assert(ceil(+1.234) == 2); assert(ceil(double.infinity) == double.infinity); assert(isNaN(ceil(double.nan))); assert(isNaN(ceil(double.init))); } // ditto float ceil(float x) @trusted pure nothrow @nogc { // Special cases. if (isNaN(x) || isInfinity(x)) return x; float y = floorImpl(x); if (y < x) y += 1.0; return y; } @safe pure nothrow @nogc unittest { assert(ceil(+123.456f) == +124); assert(ceil(-123.456f) == -123); assert(ceil(-1.234f) == -1); assert(ceil(-0.123f) == 0); assert(ceil(0.0f) == 0); assert(ceil(+0.123f) == 1); assert(ceil(+1.234f) == 2); assert(ceil(float.infinity) == float.infinity); assert(isNaN(ceil(float.nan))); assert(isNaN(ceil(float.init))); } /************************************** * Returns the value of x rounded downward to the next integer * (toward negative infinity). */ real floor(real x) @trusted pure nothrow @nogc { version (Win64_DMD_InlineAsm) { asm pure nothrow @nogc { naked ; fld real ptr [RCX] ; fstcw 8[RSP] ; mov AL,9[RSP] ; mov DL,AL ; and AL,0xC3 ; or AL,0x04 ; // round to -infinity mov 9[RSP],AL ; fldcw 8[RSP] ; frndint ; mov 9[RSP],DL ; fldcw 8[RSP] ; ret ; } } else version(CRuntime_Microsoft) { short cw; asm pure nothrow @nogc { fld x ; fstcw cw ; mov AL,byte ptr cw+1 ; mov DL,AL ; and AL,0xC3 ; or AL,0x04 ; // round to -infinity mov byte ptr cw+1,AL ; fldcw cw ; frndint ; mov byte ptr cw+1,DL ; fldcw cw ; } } else { // Special cases. if (isNaN(x) || isInfinity(x) || x == 0.0) return x; return floorImpl(x); } } /// @safe pure nothrow @nogc unittest { assert(floor(+123.456L) == +123); assert(floor(-123.456L) == -124); assert(floor(-1.234L) == -2); assert(floor(-0.123L) == -1); assert(floor(0.0L) == 0); assert(floor(+0.123L) == 0); assert(floor(+1.234L) == 1); assert(floor(real.infinity) == real.infinity); assert(isNaN(floor(real.nan))); assert(isNaN(floor(real.init))); } // ditto double floor(double x) @trusted pure nothrow @nogc { // Special cases. if (isNaN(x) || isInfinity(x) || x == 0.0) return x; return floorImpl(x); } @safe pure nothrow @nogc unittest { assert(floor(+123.456) == +123); assert(floor(-123.456) == -124); assert(floor(-1.234) == -2); assert(floor(-0.123) == -1); assert(floor(0.0) == 0); assert(floor(+0.123) == 0); assert(floor(+1.234) == 1); assert(floor(double.infinity) == double.infinity); assert(isNaN(floor(double.nan))); assert(isNaN(floor(double.init))); } // ditto float floor(float x) @trusted pure nothrow @nogc { // Special cases. if (isNaN(x) || isInfinity(x) || x == 0.0) return x; return floorImpl(x); } @safe pure nothrow @nogc unittest { assert(floor(+123.456f) == +123); assert(floor(-123.456f) == -124); assert(floor(-1.234f) == -2); assert(floor(-0.123f) == -1); assert(floor(0.0f) == 0); assert(floor(+0.123f) == 0); assert(floor(+1.234f) == 1); assert(floor(float.infinity) == float.infinity); assert(isNaN(floor(float.nan))); assert(isNaN(floor(float.init))); } /****************************************** * Rounds x to the nearest integer value, using the current rounding * mode. * * Unlike the rint functions, nearbyint does not raise the * FE_INEXACT exception. */ real nearbyint(real x) @trusted nothrow @nogc { version (CRuntime_Microsoft) { assert(0); // not implemented in C library } else return core.stdc.math.nearbyintl(x); } /********************************** * Rounds x to the nearest integer value, using the current rounding * mode. * If the return value is not equal to x, the FE_INEXACT * exception is raised. * $(B nearbyint) performs * the same operation, but does not set the FE_INEXACT exception. */ real rint(real x) @safe pure nothrow @nogc { pragma(inline, true); return core.math.rint(x); } //FIXME ///ditto double rint(double x) @safe pure nothrow @nogc { return rint(cast(real)x); } //FIXME ///ditto float rint(float x) @safe pure nothrow @nogc { return rint(cast(real)x); } unittest { real function(real) print = &rint; assert(print != null); } /*************************************** * Rounds x to the nearest integer value, using the current rounding * mode. * * This is generally the fastest method to convert a floating-point number * to an integer. Note that the results from this function * depend on the rounding mode, if the fractional part of x is exactly 0.5. * If using the default rounding mode (ties round to even integers) * lrint(4.5) == 4, lrint(5.5)==6. */ long lrint(real x) @trusted pure nothrow @nogc { version(InlineAsm_X86_Any) { version (Win64) { asm pure nothrow @nogc { naked; fld real ptr [RCX]; fistp qword ptr 8[RSP]; mov RAX,8[RSP]; ret; } } else { long n; asm pure nothrow @nogc { fld x; fistp n; } return n; } } else { alias F = floatTraits!(real); static if (F.realFormat == RealFormat.ieeeDouble) { long result; // Rounding limit when casting from real(double) to ulong. enum real OF = 4.50359962737049600000E15L; uint* vi = cast(uint*)(&x); // Find the exponent and sign uint msb = vi[MANTISSA_MSB]; uint lsb = vi[MANTISSA_LSB]; int exp = ((msb >> 20) & 0x7ff) - 0x3ff; int sign = msb >> 31; msb &= 0xfffff; msb |= 0x100000; if (exp < 63) { if (exp >= 52) result = (cast(long) msb << (exp - 20)) | (lsb << (exp - 52)); else { // Adjust x and check result. real j = sign ? -OF : OF; x = (j + x) - j; msb = vi[MANTISSA_MSB]; lsb = vi[MANTISSA_LSB]; exp = ((msb >> 20) & 0x7ff) - 0x3ff; msb &= 0xfffff; msb |= 0x100000; if (exp < 0) result = 0; else if (exp < 20) result = cast(long) msb >> (20 - exp); else if (exp == 20) result = cast(long) msb; else result = (cast(long) msb << (exp - 20)) | (lsb >> (52 - exp)); } } else { // It is left implementation defined when the number is too large. return cast(long) x; } return sign ? -result : result; } else static if (F.realFormat == RealFormat.ieeeExtended) { long result; // Rounding limit when casting from real(80-bit) to ulong. enum real OF = 9.22337203685477580800E18L; ushort* vu = cast(ushort*)(&x); uint* vi = cast(uint*)(&x); // Find the exponent and sign int exp = (vu[F.EXPPOS_SHORT] & 0x7fff) - 0x3fff; int sign = (vu[F.EXPPOS_SHORT] >> 15) & 1; if (exp < 63) { // Adjust x and check result. real j = sign ? -OF : OF; x = (j + x) - j; exp = (vu[F.EXPPOS_SHORT] & 0x7fff) - 0x3fff; version (LittleEndian) { if (exp < 0) result = 0; else if (exp <= 31) result = vi[1] >> (31 - exp); else result = (cast(long) vi[1] << (exp - 31)) | (vi[0] >> (63 - exp)); } else { if (exp < 0) result = 0; else if (exp <= 31) result = vi[1] >> (31 - exp); else result = (cast(long) vi[1] << (exp - 31)) | (vi[2] >> (63 - exp)); } } else { // It is left implementation defined when the number is too large // to fit in a 64bit long. return cast(long) x; } return sign ? -result : result; } else { static assert(false, "Only 64-bit and 80-bit reals are supported by lrint()"); } } } /// @safe pure nothrow @nogc unittest { assert(lrint(4.5) == 4); assert(lrint(5.5) == 6); assert(lrint(-4.5) == -4); assert(lrint(-5.5) == -6); assert(lrint(int.max - 0.5) == 2147483646L); assert(lrint(int.max + 0.5) == 2147483648L); assert(lrint(int.min - 0.5) == -2147483648L); assert(lrint(int.min + 0.5) == -2147483648L); } /******************************************* * Return the value of x rounded to the nearest integer. * If the fractional part of x is exactly 0.5, the return value is * rounded away from zero. */ real round(real x) @trusted nothrow @nogc { version (CRuntime_Microsoft) { auto old = FloatingPointControl.getControlState(); FloatingPointControl.setControlState((old & ~FloatingPointControl.ROUNDING_MASK) | FloatingPointControl.roundToZero); x = rint((x >= 0) ? x + 0.5 : x - 0.5); FloatingPointControl.setControlState(old); return x; } else return core.stdc.math.roundl(x); } /********************************************** * Return the value of x rounded to the nearest integer. * * If the fractional part of x is exactly 0.5, the return value is rounded * away from zero. */ long lround(real x) @trusted nothrow @nogc { version (Posix) return core.stdc.math.llroundl(x); else assert (0, "lround not implemented"); } version(Posix) { @safe nothrow @nogc unittest { assert(lround(0.49) == 0); assert(lround(0.5) == 1); assert(lround(1.5) == 2); } } /**************************************************** * Returns the integer portion of x, dropping the fractional portion. * * This is also known as "chop" rounding. */ real trunc(real x) @trusted nothrow @nogc { version (Win64_DMD_InlineAsm) { asm pure nothrow @nogc { naked ; fld real ptr [RCX] ; fstcw 8[RSP] ; mov AL,9[RSP] ; mov DL,AL ; and AL,0xC3 ; or AL,0x0C ; // round to 0 mov 9[RSP],AL ; fldcw 8[RSP] ; frndint ; mov 9[RSP],DL ; fldcw 8[RSP] ; ret ; } } else version(CRuntime_Microsoft) { short cw; asm pure nothrow @nogc { fld x ; fstcw cw ; mov AL,byte ptr cw+1 ; mov DL,AL ; and AL,0xC3 ; or AL,0x0C ; // round to 0 mov byte ptr cw+1,AL ; fldcw cw ; frndint ; mov byte ptr cw+1,DL ; fldcw cw ; } } else return core.stdc.math.truncl(x); } /**************************************************** * Calculate the remainder x REM y, following IEC 60559. * * REM is the value of x - y * n, where n is the integer nearest the exact * value of x / y. * If |n - x / y| == 0.5, n is even. * If the result is zero, it has the same sign as x. * Otherwise, the sign of the result is the sign of x / y. * Precision mode has no effect on the remainder functions. * * remquo returns n in the parameter n. * * $(TABLE_SV * $(TR $(TH x) $(TH y) $(TH remainder(x, y)) $(TH n) $(TH invalid?)) * $(TR $(TD $(PLUSMN)0.0) $(TD not 0.0) $(TD $(PLUSMN)0.0) $(TD 0.0) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD anything) $(TD $(NAN)) $(TD ?) $(TD yes)) * $(TR $(TD anything) $(TD $(PLUSMN)0.0) $(TD $(NAN)) $(TD ?) $(TD yes)) * $(TR $(TD != $(PLUSMNINF)) $(TD $(PLUSMNINF)) $(TD x) $(TD ?) $(TD no)) * ) * * Note: remquo not supported on windows */ real remainder(real x, real y) @trusted nothrow @nogc { version (CRuntime_Microsoft) { int n; return remquo(x, y, n); } else return core.stdc.math.remainderl(x, y); } real remquo(real x, real y, out int n) @trusted nothrow @nogc /// ditto { version (Posix) return core.stdc.math.remquol(x, y, &n); else assert (0, "remquo not implemented"); } /** IEEE exception status flags ('sticky bits') These flags indicate that an exceptional floating-point condition has occurred. They indicate that a NaN or an infinity has been generated, that a result is inexact, or that a signalling NaN has been encountered. If floating-point exceptions are enabled (unmasked), a hardware exception will be generated instead of setting these flags. */ struct IeeeFlags { private: // The x87 FPU status register is 16 bits. // The Pentium SSE2 status register is 32 bits. uint flags; version (X86_Any) { // Applies to both x87 status word (16 bits) and SSE2 status word(32 bits). enum : int { INEXACT_MASK = 0x20, UNDERFLOW_MASK = 0x10, OVERFLOW_MASK = 0x08, DIVBYZERO_MASK = 0x04, INVALID_MASK = 0x01 } // Don't bother about subnormals, they are not supported on most CPUs. // SUBNORMAL_MASK = 0x02; } else version (PPC_Any) { // PowerPC FPSCR is a 32-bit register. enum : int { INEXACT_MASK = 0x02000000, DIVBYZERO_MASK = 0x04000000, UNDERFLOW_MASK = 0x08000000, OVERFLOW_MASK = 0x10000000, INVALID_MASK = 0x20000000 // Summary as PowerPC has five types of invalid exceptions. } } else version (ARM) { // ARM FPSCR is a 32bit register enum : int { INEXACT_MASK = 0x10, UNDERFLOW_MASK = 0x08, OVERFLOW_MASK = 0x04, DIVBYZERO_MASK = 0x02, INVALID_MASK = 0x01 } } else version(SPARC) { // SPARC FSR is a 32bit register //(64 bits for Sparc 7 & 8, but high 32 bits are uninteresting). enum : int { INEXACT_MASK = 0x020, UNDERFLOW_MASK = 0x080, OVERFLOW_MASK = 0x100, DIVBYZERO_MASK = 0x040, INVALID_MASK = 0x200 } } else static assert(0, "Not implemented"); private: static uint getIeeeFlags() { version(D_InlineAsm_X86) { asm pure nothrow @nogc { fstsw AX; // NOTE: If compiler supports SSE2, need to OR the result with // the SSE2 status register. // Clear all irrelevant bits and EAX, 0x03D; } } else version(D_InlineAsm_X86_64) { asm pure nothrow @nogc { fstsw AX; // NOTE: If compiler supports SSE2, need to OR the result with // the SSE2 status register. // Clear all irrelevant bits and RAX, 0x03D; } } else version (SPARC) { /* int retval; asm pure nothrow @nogc { st %fsr, retval; } return retval; */ assert(0, "Not yet supported"); } else version (ARM) { assert(false, "Not yet supported."); } else assert(0, "Not yet supported"); } static void resetIeeeFlags() { version(InlineAsm_X86_Any) { asm pure nothrow @nogc { fnclex; } } else { /* SPARC: int tmpval; asm pure nothrow @nogc { st %fsr, tmpval; } tmpval &=0xFFFF_FC00; asm pure nothrow @nogc { ld tmpval, %fsr; } */ assert(0, "Not yet supported"); } } public: version (IeeeFlagsSupport) { /// The result cannot be represented exactly, so rounding occurred. /// (example: x = sin(0.1); ) @property bool inexact() { return (flags & INEXACT_MASK) != 0; } /// A zero was generated by underflow (example: x = real.min*real.epsilon/2;) @property bool underflow() { return (flags & UNDERFLOW_MASK) != 0; } /// An infinity was generated by overflow (example: x = real.max*2;) @property bool overflow() { return (flags & OVERFLOW_MASK) != 0; } /// An infinity was generated by division by zero (example: x = 3/0.0; ) @property bool divByZero() { return (flags & DIVBYZERO_MASK) != 0; } /// A machine NaN was generated. (example: x = real.infinity * 0.0; ) @property bool invalid() { return (flags & INVALID_MASK) != 0; } } } /// unittest { static void func() { int a = 10 * 10; } real a=3.5; // Set all the flags to zero resetIeeeFlags(); assert(!ieeeFlags.divByZero); // Perform a division by zero. a/=0.0L; assert(a==real.infinity); assert(ieeeFlags.divByZero); // Create a NaN a*=0.0L; assert(ieeeFlags.invalid); assert(isNaN(a)); // Check that calling func() has no effect on the // status flags. IeeeFlags f = ieeeFlags; func(); assert(ieeeFlags == f); } version(X86_Any) { version = IeeeFlagsSupport; } else version(ARM) { version = IeeeFlagsSupport; } /// Set all of the floating-point status flags to false. void resetIeeeFlags() { IeeeFlags.resetIeeeFlags(); } /// Return a snapshot of the current state of the floating-point status flags. @property IeeeFlags ieeeFlags() { return IeeeFlags(IeeeFlags.getIeeeFlags()); } /** Control the Floating point hardware Change the IEEE754 floating-point rounding mode and the floating-point hardware exceptions. By default, the rounding mode is roundToNearest and all hardware exceptions are disabled. For most applications, debugging is easier if the $(I division by zero), $(I overflow), and $(I invalid operation) exceptions are enabled. These three are combined into a $(I severeExceptions) value for convenience. Note in particular that if $(I invalidException) is enabled, a hardware trap will be generated whenever an uninitialized floating-point variable is used. All changes are temporary. The previous state is restored at the end of the scope. Example: ---- { FloatingPointControl fpctrl; // Enable hardware exceptions for division by zero, overflow to infinity, // invalid operations, and uninitialized floating-point variables. fpctrl.enableExceptions(FloatingPointControl.severeExceptions); // This will generate a hardware exception, if x is a // default-initialized floating point variable: real x; // Add `= 0` or even `= real.nan` to not throw the exception. real y = x * 3.0; // The exception is only thrown for default-uninitialized NaN-s. // NaN-s with other payload are valid: real z = y * real.nan; // ok // Changing the rounding mode: fpctrl.rounding = FloatingPointControl.roundUp; assert(rint(1.1) == 2); // The set hardware exceptions will be disabled when leaving this scope. // The original rounding mode will also be restored. } // Ensure previous values are returned: assert(!FloatingPointControl.enabledExceptions); assert(FloatingPointControl.rounding == FloatingPointControl.roundToNearest); assert(rint(1.1) == 1); ---- */ struct FloatingPointControl { alias RoundingMode = uint; /** IEEE rounding modes. * The default mode is roundToNearest. */ version(ARM) { enum : RoundingMode { roundToNearest = 0x000000, roundDown = 0x800000, roundUp = 0x400000, roundToZero = 0xC00000 } } else version(PPC_Any) { enum : RoundingMode { roundToNearest = 0x00000000, roundDown = 0x00000003, roundUp = 0x00000002, roundToZero = 0x00000001 } } else { enum : RoundingMode { roundToNearest = 0x0000, roundDown = 0x0400, roundUp = 0x0800, roundToZero = 0x0C00 } } /** IEEE hardware exceptions. * By default, all exceptions are masked (disabled). */ version(ARM) { enum : uint { subnormalException = 0x8000, inexactException = 0x1000, underflowException = 0x0800, overflowException = 0x0400, divByZeroException = 0x0200, invalidException = 0x0100, /// Severe = The overflow, division by zero, and invalid exceptions. severeExceptions = overflowException | divByZeroException | invalidException, allExceptions = severeExceptions | underflowException | inexactException | subnormalException, } } else version(PPC_Any) { enum : uint { inexactException = 0x0008, divByZeroException = 0x0010, underflowException = 0x0020, overflowException = 0x0040, invalidException = 0x0080, /// Severe = The overflow, division by zero, and invalid exceptions. severeExceptions = overflowException | divByZeroException | invalidException, allExceptions = severeExceptions | underflowException | inexactException, } } else { enum : uint { inexactException = 0x20, underflowException = 0x10, overflowException = 0x08, divByZeroException = 0x04, subnormalException = 0x02, invalidException = 0x01, /// Severe = The overflow, division by zero, and invalid exceptions. severeExceptions = overflowException | divByZeroException | invalidException, allExceptions = severeExceptions | underflowException | inexactException | subnormalException, } } private: version(ARM) { enum uint EXCEPTION_MASK = 0x9F00; enum uint ROUNDING_MASK = 0xC00000; } else version(PPC_Any) { enum uint EXCEPTION_MASK = 0x00F8; enum uint ROUNDING_MASK = 0x0003; } else version(X86) { enum ushort EXCEPTION_MASK = 0x3F; enum ushort ROUNDING_MASK = 0xC00; } else version(X86_64) { enum ushort EXCEPTION_MASK = 0x3F; enum ushort ROUNDING_MASK = 0xC00; } else static assert(false, "Architecture not supported"); public: /// Returns true if the current FPU supports exception trapping @property static bool hasExceptionTraps() @safe nothrow @nogc { version(X86_Any) return true; else version(PPC_Any) return true; else version(ARM) { auto oldState = getControlState(); // If exceptions are not supported, we set the bit but read it back as zero // https://sourceware.org/ml/libc-ports/2012-06/msg00091.html setControlState(oldState | (divByZeroException & EXCEPTION_MASK)); bool result = (getControlState() & EXCEPTION_MASK) != 0; setControlState(oldState); return result; } else static assert(false, "Not implemented for this architecture"); } /// Enable (unmask) specific hardware exceptions. Multiple exceptions may be ORed together. void enableExceptions(uint exceptions) @nogc { assert(hasExceptionTraps); initialize(); version(X86_Any) setControlState(getControlState() & ~(exceptions & EXCEPTION_MASK)); else setControlState(getControlState() | (exceptions & EXCEPTION_MASK)); } /// Disable (mask) specific hardware exceptions. Multiple exceptions may be ORed together. void disableExceptions(uint exceptions) @nogc { assert(hasExceptionTraps); initialize(); version(X86_Any) setControlState(getControlState() | (exceptions & EXCEPTION_MASK)); else setControlState(getControlState() & ~(exceptions & EXCEPTION_MASK)); } //// Change the floating-point hardware rounding mode @property void rounding(RoundingMode newMode) @nogc { initialize(); setControlState((getControlState() & ~ROUNDING_MASK) | (newMode & ROUNDING_MASK)); } /// Return the exceptions which are currently enabled (unmasked) @property static uint enabledExceptions() @nogc { assert(hasExceptionTraps); version(X86_Any) return (getControlState() & EXCEPTION_MASK) ^ EXCEPTION_MASK; else return (getControlState() & EXCEPTION_MASK); } /// Return the currently active rounding mode @property static RoundingMode rounding() @nogc { return cast(RoundingMode)(getControlState() & ROUNDING_MASK); } /// Clear all pending exceptions, then restore the original exception state and rounding mode. ~this() @nogc { clearExceptions(); if (initialized) setControlState(savedState); } private: ControlState savedState; bool initialized = false; version(ARM) { alias ControlState = uint; } else version(PPC_Any) { alias ControlState = uint; } else { alias ControlState = ushort; } void initialize() @nogc { // BUG: This works around the absence of this() constructors. if (initialized) return; clearExceptions(); savedState = getControlState(); initialized = true; } // Clear all pending exceptions static void clearExceptions() @nogc { version (InlineAsm_X86_Any) { asm nothrow @nogc { fclex; } } else assert(0, "Not yet supported"); } // Read from the control register static ControlState getControlState() @trusted nothrow @nogc { version (D_InlineAsm_X86) { short cont; asm nothrow @nogc { xor EAX, EAX; fstcw cont; } return cont; } else version (D_InlineAsm_X86_64) { short cont; asm nothrow @nogc { xor RAX, RAX; fstcw cont; } return cont; } else assert(0, "Not yet supported"); } // Set the control register static void setControlState(ControlState newState) @trusted nothrow @nogc { version (InlineAsm_X86_Any) { version (Win64) { asm nothrow @nogc { naked; mov 8[RSP],RCX; fclex; fldcw 8[RSP]; ret; } } else { asm nothrow @nogc { fclex; fldcw newState; } } } else assert(0, "Not yet supported"); } } unittest { void ensureDefaults() { assert(FloatingPointControl.rounding == FloatingPointControl.roundToNearest); if(FloatingPointControl.hasExceptionTraps) assert(FloatingPointControl.enabledExceptions == 0); } { FloatingPointControl ctrl; } ensureDefaults(); { FloatingPointControl ctrl; ctrl.rounding = FloatingPointControl.roundDown; assert(FloatingPointControl.rounding == FloatingPointControl.roundDown); } ensureDefaults(); if(FloatingPointControl.hasExceptionTraps) { FloatingPointControl ctrl; ctrl.enableExceptions(FloatingPointControl.divByZeroException | FloatingPointControl.overflowException); assert(ctrl.enabledExceptions == (FloatingPointControl.divByZeroException | FloatingPointControl.overflowException)); ctrl.rounding = FloatingPointControl.roundUp; assert(FloatingPointControl.rounding == FloatingPointControl.roundUp); } ensureDefaults(); } /********************************* * Determines if $(D_PARAM x) is NaN. * params: * x = a floating point number. * returns: * $(D true) if $(D_PARAM x) is Nan. */ bool isNaN(X)(X x) @nogc @trusted pure nothrow if (isFloatingPoint!(X)) { alias F = floatTraits!(X); static if (F.realFormat == RealFormat.ieeeSingle) { const uint p = *cast(uint *)&x; return ((p & 0x7F80_0000) == 0x7F80_0000) && p & 0x007F_FFFF; // not infinity } else static if (F.realFormat == RealFormat.ieeeDouble) { const ulong p = *cast(ulong *)&x; return ((p & 0x7FF0_0000_0000_0000) == 0x7FF0_0000_0000_0000) && p & 0x000F_FFFF_FFFF_FFFF; // not infinity } else static if (F.realFormat == RealFormat.ieeeExtended) { const ushort e = F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]; const ulong ps = *cast(ulong *)&x; return e == F.EXPMASK && ps & 0x7FFF_FFFF_FFFF_FFFF; // not infinity } else static if (F.realFormat == RealFormat.ieeeQuadruple) { const ushort e = F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]; const ulong psLsb = (cast(ulong *)&x)[MANTISSA_LSB]; const ulong psMsb = (cast(ulong *)&x)[MANTISSA_MSB]; return e == F.EXPMASK && (psLsb | (psMsb& 0x0000_FFFF_FFFF_FFFF)) != 0; } else { return x != x; } } /// @safe pure nothrow @nogc unittest { assert( isNaN(float.init)); assert( isNaN(-double.init)); assert( isNaN(real.nan)); assert( isNaN(-real.nan)); assert(!isNaN(cast(float)53.6)); assert(!isNaN(cast(real)-53.6)); } deprecated("isNaN is not defined for integer types") bool isNaN(X)(X x) @nogc @trusted pure nothrow if (isIntegral!(X)) { return isNaN(cast(float)x); } @safe pure nothrow @nogc unittest { import std.meta; foreach(T; AliasSeq!(float, double, real)) { // CTFE-able tests assert(isNaN(T.init)); assert(isNaN(-T.init)); assert(isNaN(T.nan)); assert(isNaN(-T.nan)); assert(!isNaN(T.infinity)); assert(!isNaN(-T.infinity)); assert(!isNaN(cast(T)53.6)); assert(!isNaN(cast(T)-53.6)); // Runtime tests shared T f; f = T.init; assert(isNaN(f)); assert(isNaN(-f)); f = T.nan; assert(isNaN(f)); assert(isNaN(-f)); f = T.infinity; assert(!isNaN(f)); assert(!isNaN(-f)); f = cast(T)53.6; assert(!isNaN(f)); assert(!isNaN(-f)); } } /********************************* * Determines if $(D_PARAM x) is finite. * params: * x = a floating point number. * returns: * $(D true) if $(D_PARAM x) is finite. */ bool isFinite(X)(X x) @trusted pure nothrow @nogc { alias F = floatTraits!(X); ushort* pe = cast(ushort *)&x; return (pe[F.EXPPOS_SHORT] & F.EXPMASK) != F.EXPMASK; } /// @safe pure nothrow @nogc unittest { assert( isFinite(1.23f)); assert( isFinite(float.max)); assert( isFinite(float.min_normal)); assert(!isFinite(float.nan)); assert(!isFinite(float.infinity)); } @safe pure nothrow @nogc unittest { assert(isFinite(1.23)); assert(isFinite(double.max)); assert(isFinite(double.min_normal)); assert(!isFinite(double.nan)); assert(!isFinite(double.infinity)); assert(isFinite(1.23L)); assert(isFinite(real.max)); assert(isFinite(real.min_normal)); assert(!isFinite(real.nan)); assert(!isFinite(real.infinity)); } deprecated("isFinite is not defined for integer types") int isFinite(X)(X x) @trusted pure nothrow @nogc if (isIntegral!(X)) { return isFinite(cast(float)x); } /********************************* * Determines if $(D_PARAM x) is normalized. * * A normalized number must not be zero, subnormal, infinite nor $(NAN). * * params: * x = a floating point number. * returns: * $(D true) if $(D_PARAM x) is normalized. */ /* Need one for each format because subnormal floats might * be converted to normal reals. */ bool isNormal(X)(X x) @trusted pure nothrow @nogc { alias F = floatTraits!(X); static if (F.realFormat == RealFormat.ibmExtended) { // doubledouble is normal if the least significant part is normal. return isNormal((cast(double*)&x)[MANTISSA_LSB]); } else { ushort e = F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]; return (e != F.EXPMASK && e != 0); } } /// @safe pure nothrow @nogc unittest { float f = 3; double d = 500; real e = 10e+48; assert(isNormal(f)); assert(isNormal(d)); assert(isNormal(e)); f = d = e = 0; assert(!isNormal(f)); assert(!isNormal(d)); assert(!isNormal(e)); assert(!isNormal(real.infinity)); assert(isNormal(-real.max)); assert(!isNormal(real.min_normal/4)); } /********************************* * Determines if $(D_PARAM x) is subnormal. * * Subnormals (also known as "denormal number"), have a 0 exponent * and a 0 most significant mantissa bit. * * params: * x = a floating point number. * returns: * $(D true) if $(D_PARAM x) is a denormal number. */ bool isSubnormal(X)(X x) @trusted pure nothrow @nogc { /* Need one for each format because subnormal floats might be converted to normal reals. */ alias F = floatTraits!(X); static if (F.realFormat == RealFormat.ieeeSingle) { uint *p = cast(uint *)&x; return (*p & F.EXPMASK_INT) == 0 && *p & F.MANTISSAMASK_INT; } else static if (F.realFormat == RealFormat.ieeeDouble) { uint *p = cast(uint *)&x; return (p[MANTISSA_MSB] & F.EXPMASK_INT) == 0 && (p[MANTISSA_LSB] || p[MANTISSA_MSB] & F.MANTISSAMASK_INT); } else static if (F.realFormat == RealFormat.ieeeQuadruple) { ushort e = F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]; long* ps = cast(long *)&x; return (e == 0 && (((ps[MANTISSA_LSB]|(ps[MANTISSA_MSB]& 0x0000_FFFF_FFFF_FFFF))) != 0)); } else static if (F.realFormat == RealFormat.ieeeExtended) { ushort* pe = cast(ushort *)&x; long* ps = cast(long *)&x; return (pe[F.EXPPOS_SHORT] & F.EXPMASK) == 0 && *ps > 0; } else static if (F.realFormat == RealFormat.ibmExtended) { return isSubnormal((cast(double*)&x)[MANTISSA_MSB]); } else { static assert(false, "Not implemented for this architecture"); } } /// @safe pure nothrow @nogc unittest { import std.meta; foreach (T; AliasSeq!(float, double, real)) { T f; for (f = 1.0; !isSubnormal(f); f /= 2) assert(f != 0); } } deprecated("isSubnormal is not defined for integer types") int isSubnormal(X)(X x) @trusted pure nothrow @nogc if (isIntegral!X) { return isSubnormal(cast(double)x); } /********************************* * Determines if $(D_PARAM x) is $(PLUSMN)$(INFIN). * params: * x = a floating point number. * returns: * $(D true) if $(D_PARAM x) is $(PLUSMN)$(INFIN). */ bool isInfinity(X)(X x) @nogc @trusted pure nothrow if (isFloatingPoint!(X)) { alias F = floatTraits!(X); static if (F.realFormat == RealFormat.ieeeSingle) { return ((*cast(uint *)&x) & 0x7FFF_FFFF) == 0x7F80_0000; } else static if (F.realFormat == RealFormat.ieeeDouble) { return ((*cast(ulong *)&x) & 0x7FFF_FFFF_FFFF_FFFF) == 0x7FF0_0000_0000_0000; } else static if (F.realFormat == RealFormat.ieeeExtended) { const ushort e = cast(ushort)(F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]); const ulong ps = *cast(ulong *)&x; // On Motorola 68K, infinity can have hidden bit = 1 or 0. On x86, it is always 1. return e == F.EXPMASK && (ps & 0x7FFF_FFFF_FFFF_FFFF) == 0; } else static if (F.realFormat == RealFormat.ibmExtended) { return (((cast(ulong *)&x)[MANTISSA_MSB]) & 0x7FFF_FFFF_FFFF_FFFF) == 0x7FF8_0000_0000_0000; } else static if (F.realFormat == RealFormat.ieeeQuadruple) { const long psLsb = (cast(long *)&x)[MANTISSA_LSB]; const long psMsb = (cast(long *)&x)[MANTISSA_MSB]; return (psLsb == 0) && (psMsb & 0x7FFF_FFFF_FFFF_FFFF) == 0x7FFF_0000_0000_0000; } else { return (x - 1) == x; } } /// @nogc @safe pure nothrow unittest { assert(!isInfinity(float.init)); assert(!isInfinity(-float.init)); assert(!isInfinity(float.nan)); assert(!isInfinity(-float.nan)); assert(isInfinity(float.infinity)); assert(isInfinity(-float.infinity)); assert(isInfinity(-1.0f / 0.0f)); } @safe pure nothrow @nogc unittest { // CTFE-able tests assert(!isInfinity(double.init)); assert(!isInfinity(-double.init)); assert(!isInfinity(double.nan)); assert(!isInfinity(-double.nan)); assert(isInfinity(double.infinity)); assert(isInfinity(-double.infinity)); assert(isInfinity(-1.0 / 0.0)); assert(!isInfinity(real.init)); assert(!isInfinity(-real.init)); assert(!isInfinity(real.nan)); assert(!isInfinity(-real.nan)); assert(isInfinity(real.infinity)); assert(isInfinity(-real.infinity)); assert(isInfinity(-1.0L / 0.0L)); // Runtime tests shared float f; f = float.init; assert(!isInfinity(f)); assert(!isInfinity(-f)); f = float.nan; assert(!isInfinity(f)); assert(!isInfinity(-f)); f = float.infinity; assert(isInfinity(f)); assert(isInfinity(-f)); f = (-1.0f / 0.0f); assert(isInfinity(f)); shared double d; d = double.init; assert(!isInfinity(d)); assert(!isInfinity(-d)); d = double.nan; assert(!isInfinity(d)); assert(!isInfinity(-d)); d = double.infinity; assert(isInfinity(d)); assert(isInfinity(-d)); d = (-1.0 / 0.0); assert(isInfinity(d)); shared real e; e = real.init; assert(!isInfinity(e)); assert(!isInfinity(-e)); e = real.nan; assert(!isInfinity(e)); assert(!isInfinity(-e)); e = real.infinity; assert(isInfinity(e)); assert(isInfinity(-e)); e = (-1.0L / 0.0L); assert(isInfinity(e)); } /********************************* * Is the binary representation of x identical to y? * * Same as ==, except that positive and negative zero are not identical, * and two $(NAN)s are identical if they have the same 'payload'. */ bool isIdentical(real x, real y) @trusted pure nothrow @nogc { // We're doing a bitwise comparison so the endianness is irrelevant. long* pxs = cast(long *)&x; long* pys = cast(long *)&y; alias F = floatTraits!(real); static if (F.realFormat == RealFormat.ieeeDouble) { return pxs[0] == pys[0]; } else static if (F.realFormat == RealFormat.ieeeQuadruple || F.realFormat == RealFormat.ibmExtended) { return pxs[0] == pys[0] && pxs[1] == pys[1]; } else { ushort* pxe = cast(ushort *)&x; ushort* pye = cast(ushort *)&y; return pxe[4] == pye[4] && pxs[0] == pys[0]; } } /********************************* * Return 1 if sign bit of e is set, 0 if not. */ int signbit(X)(X x) @nogc @trusted pure nothrow { alias F = floatTraits!(X); return ((cast(ubyte *)&x)[F.SIGNPOS_BYTE] & 0x80) != 0; } /// @nogc @safe pure nothrow unittest { debug (math) printf("math.signbit.unittest\n"); assert(!signbit(float.nan)); assert(signbit(-float.nan)); assert(!signbit(168.1234f)); assert(signbit(-168.1234f)); assert(!signbit(0.0f)); assert(signbit(-0.0f)); assert(signbit(-float.max)); assert(!signbit(float.max)); assert(!signbit(double.nan)); assert(signbit(-double.nan)); assert(!signbit(168.1234)); assert(signbit(-168.1234)); assert(!signbit(0.0)); assert(signbit(-0.0)); assert(signbit(-double.max)); assert(!signbit(double.max)); assert(!signbit(real.nan)); assert(signbit(-real.nan)); assert(!signbit(168.1234L)); assert(signbit(-168.1234L)); assert(!signbit(0.0L)); assert(signbit(-0.0L)); assert(signbit(-real.max)); assert(!signbit(real.max)); } deprecated("signbit is not defined for integer types") int signbit(X)(X x) @nogc @trusted pure nothrow if (isIntegral!X) { return signbit(cast(float)x); } /********************************* * Return a value composed of to with from's sign bit. */ R copysign(R, X)(R to, X from) @trusted pure nothrow @nogc if (isFloatingPoint!(R) && isFloatingPoint!(X)) { ubyte* pto = cast(ubyte *)&to; const ubyte* pfrom = cast(ubyte *)&from; alias T = floatTraits!(R); alias F = floatTraits!(X); pto[T.SIGNPOS_BYTE] &= 0x7F; pto[T.SIGNPOS_BYTE] |= pfrom[F.SIGNPOS_BYTE] & 0x80; return to; } // ditto R copysign(R, X)(X to, R from) @trusted pure nothrow @nogc if (isIntegral!(X) && isFloatingPoint!(R)) { return copysign(cast(R)to, from); } @safe pure nothrow @nogc unittest { import std.meta; foreach (X; AliasSeq!(float, double, real, int, long)) { foreach (Y; AliasSeq!(float, double, real)) (){ // avoid slow optimizations for large functions @@@BUG@@@ 2396 X x = 21; Y y = 23.8; Y e = void; e = copysign(x, y); assert(e == 21.0); e = copysign(-x, y); assert(e == 21.0); e = copysign(x, -y); assert(e == -21.0); e = copysign(-x, -y); assert(e == -21.0); static if (isFloatingPoint!X) { e = copysign(X.nan, y); assert(isNaN(e) && !signbit(e)); e = copysign(X.nan, -y); assert(isNaN(e) && signbit(e)); } }(); } } deprecated("copysign : from can't be of integer type") R copysign(R, X)(X to, R from) @trusted pure nothrow @nogc if (isIntegral!R) { return copysign(to, cast(float)from); } /********************************* Returns $(D -1) if $(D x < 0), $(D x) if $(D x == 0), $(D 1) if $(D x > 0), and $(NAN) if x==$(NAN). */ F sgn(F)(F x) @safe pure nothrow @nogc { // @@@TODO@@@: make this faster return x > 0 ? 1 : x < 0 ? -1 : x; } /// @safe pure nothrow @nogc unittest { assert(sgn(168.1234) == 1); assert(sgn(-168.1234) == -1); assert(sgn(0.0) == 0); assert(sgn(-0.0) == 0); } // Functions for NaN payloads /* * A 'payload' can be stored in the significand of a $(NAN). One bit is required * to distinguish between a quiet and a signalling $(NAN). This leaves 22 bits * of payload for a float; 51 bits for a double; 62 bits for an 80-bit real; * and 111 bits for a 128-bit quad. */ /** * Create a quiet $(NAN), storing an integer inside the payload. * * For floats, the largest possible payload is 0x3F_FFFF. * For doubles, it is 0x3_FFFF_FFFF_FFFF. * For 80-bit or 128-bit reals, it is 0x3FFF_FFFF_FFFF_FFFF. */ real NaN(ulong payload) @trusted pure nothrow @nogc { alias F = floatTraits!(real); static if (F.realFormat == RealFormat.ieeeExtended) { // real80 (in x86 real format, the implied bit is actually // not implied but a real bit which is stored in the real) ulong v = 3; // implied bit = 1, quiet bit = 1 } else { ulong v = 1; // no implied bit. quiet bit = 1 } ulong a = payload; // 22 Float bits ulong w = a & 0x3F_FFFF; a -= w; v <<=22; v |= w; a >>=22; // 29 Double bits v <<=29; w = a & 0xFFF_FFFF; v |= w; a -= w; a >>=29; static if (F.realFormat == RealFormat.ieeeDouble) { v |= 0x7FF0_0000_0000_0000; real x; * cast(ulong *)(&x) = v; return x; } else { v <<=11; a &= 0x7FF; v |= a; real x = real.nan; // Extended real bits static if (F.realFormat == RealFormat.ieeeQuadruple) { v <<= 1; // there's no implicit bit version(LittleEndian) { *cast(ulong*)(6+cast(ubyte*)(&x)) = v; } else { *cast(ulong*)(2+cast(ubyte*)(&x)) = v; } } else { *cast(ulong *)(&x) = v; } return x; } } @safe pure nothrow @nogc unittest { static if (floatTraits!(real).realFormat == RealFormat.ieeeDouble) { auto x = NaN(1); auto xl = *cast(ulong*)&x; assert(xl & 0x8_0000_0000_0000UL); //non-signaling bit, bit 52 assert((xl & 0x7FF0_0000_0000_0000UL) == 0x7FF0_0000_0000_0000UL); //all exp bits set } } /** * Extract an integral payload from a $(NAN). * * Returns: * the integer payload as a ulong. * * For floats, the largest possible payload is 0x3F_FFFF. * For doubles, it is 0x3_FFFF_FFFF_FFFF. * For 80-bit or 128-bit reals, it is 0x3FFF_FFFF_FFFF_FFFF. */ ulong getNaNPayload(real x) @trusted pure nothrow @nogc { // assert(isNaN(x)); alias F = floatTraits!(real); static if (F.realFormat == RealFormat.ieeeDouble) { ulong m = *cast(ulong *)(&x); // Make it look like an 80-bit significand. // Skip exponent, and quiet bit m &= 0x0007_FFFF_FFFF_FFFF; m <<= 10; } else static if (F.realFormat == RealFormat.ieeeQuadruple) { version(LittleEndian) { ulong m = *cast(ulong*)(6+cast(ubyte*)(&x)); } else { ulong m = *cast(ulong*)(2+cast(ubyte*)(&x)); } m >>= 1; // there's no implicit bit } else { ulong m = *cast(ulong *)(&x); } // ignore implicit bit and quiet bit ulong f = m & 0x3FFF_FF00_0000_0000L; ulong w = f >>> 40; w |= (m & 0x00FF_FFFF_F800L) << (22 - 11); w |= (m & 0x7FF) << 51; return w; } debug(UnitTest) { @safe pure nothrow @nogc unittest { real nan4 = NaN(0x789_ABCD_EF12_3456); static if (floatTraits!(real).realFormat == RealFormat.ieeeExtended || floatTraits!(real).realFormat == RealFormat.ieeeQuadruple) { assert (getNaNPayload(nan4) == 0x789_ABCD_EF12_3456); } else { assert (getNaNPayload(nan4) == 0x1_ABCD_EF12_3456); } double nan5 = nan4; assert (getNaNPayload(nan5) == 0x1_ABCD_EF12_3456); float nan6 = nan4; assert (getNaNPayload(nan6) == 0x12_3456); nan4 = NaN(0xFABCD); assert (getNaNPayload(nan4) == 0xFABCD); nan6 = nan4; assert (getNaNPayload(nan6) == 0xFABCD); nan5 = NaN(0x100_0000_0000_3456); assert(getNaNPayload(nan5) == 0x0000_0000_3456); } } /** * Calculate the next largest floating point value after x. * * Return the least number greater than x that is representable as a real; * thus, it gives the next point on the IEEE number line. * * $(TABLE_SV * $(SVH x, nextUp(x) ) * $(SV -$(INFIN), -real.max ) * $(SV $(PLUSMN)0.0, real.min_normal*real.epsilon ) * $(SV real.max, $(INFIN) ) * $(SV $(INFIN), $(INFIN) ) * $(SV $(NAN), $(NAN) ) * ) */ real nextUp(real x) @trusted pure nothrow @nogc { alias F = floatTraits!(real); static if (F.realFormat == RealFormat.ieeeDouble) { return nextUp(cast(double)x); } else static if (F.realFormat == RealFormat.ieeeQuadruple) { ushort e = F.EXPMASK & (cast(ushort *)&x)[F.EXPPOS_SHORT]; if (e == F.EXPMASK) { // NaN or Infinity if (x == -real.infinity) return -real.max; return x; // +Inf and NaN are unchanged. } ulong* ps = cast(ulong *)&e; if (ps[MANTISSA_LSB] & 0x8000_0000_0000_0000) { // Negative number if (ps[MANTISSA_LSB] == 0 && ps[MANTISSA_MSB] == 0x8000_0000_0000_0000) { // it was negative zero, change to smallest subnormal ps[MANTISSA_LSB] = 0x0000_0000_0000_0001; ps[MANTISSA_MSB] = 0; return x; } --*ps; if (ps[MANTISSA_LSB] == 0) --ps[MANTISSA_MSB]; } else { // Positive number ++ps[MANTISSA_LSB]; if (ps[MANTISSA_LSB] == 0) ++ps[MANTISSA_MSB]; } return x; } else static if (F.realFormat == RealFormat.ieeeExtended) { // For 80-bit reals, the "implied bit" is a nuisance... ushort *pe = cast(ushort *)&x; ulong *ps = cast(ulong *)&x; if ((pe[F.EXPPOS_SHORT] & F.EXPMASK) == F.EXPMASK) { // First, deal with NANs and infinity if (x == -real.infinity) return -real.max; return x; // +Inf and NaN are unchanged. } if (pe[F.EXPPOS_SHORT] & 0x8000) { // Negative number -- need to decrease the significand --*ps; // Need to mask with 0x7FFF... so subnormals are treated correctly. if ((*ps & 0x7FFF_FFFF_FFFF_FFFF) == 0x7FFF_FFFF_FFFF_FFFF) { if (pe[F.EXPPOS_SHORT] == 0x8000) // it was negative zero { *ps = 1; pe[F.EXPPOS_SHORT] = 0; // smallest subnormal. return x; } --pe[F.EXPPOS_SHORT]; if (pe[F.EXPPOS_SHORT] == 0x8000) return x; // it's become a subnormal, implied bit stays low. *ps = 0xFFFF_FFFF_FFFF_FFFF; // set the implied bit return x; } return x; } else { // Positive number -- need to increase the significand. // Works automatically for positive zero. ++*ps; if ((*ps & 0x7FFF_FFFF_FFFF_FFFF) == 0) { // change in exponent ++pe[F.EXPPOS_SHORT]; *ps = 0x8000_0000_0000_0000; // set the high bit } } return x; } else // static if (F.realFormat == RealFormat.ibmExtended) { assert (0, "nextUp not implemented"); } } /** ditto */ double nextUp(double x) @trusted pure nothrow @nogc { ulong *ps = cast(ulong *)&x; if ((*ps & 0x7FF0_0000_0000_0000) == 0x7FF0_0000_0000_0000) { // First, deal with NANs and infinity if (x == -x.infinity) return -x.max; return x; // +INF and NAN are unchanged. } if (*ps & 0x8000_0000_0000_0000) // Negative number { if (*ps == 0x8000_0000_0000_0000) // it was negative zero { *ps = 0x0000_0000_0000_0001; // change to smallest subnormal return x; } --*ps; } else { // Positive number ++*ps; } return x; } /** ditto */ float nextUp(float x) @trusted pure nothrow @nogc { uint *ps = cast(uint *)&x; if ((*ps & 0x7F80_0000) == 0x7F80_0000) { // First, deal with NANs and infinity if (x == -x.infinity) return -x.max; return x; // +INF and NAN are unchanged. } if (*ps & 0x8000_0000) // Negative number { if (*ps == 0x8000_0000) // it was negative zero { *ps = 0x0000_0001; // change to smallest subnormal return x; } --*ps; } else { // Positive number ++*ps; } return x; } /** * Calculate the next smallest floating point value before x. * * Return the greatest number less than x that is representable as a real; * thus, it gives the previous point on the IEEE number line. * * $(TABLE_SV * $(SVH x, nextDown(x) ) * $(SV $(INFIN), real.max ) * $(SV $(PLUSMN)0.0, -real.min_normal*real.epsilon ) * $(SV -real.max, -$(INFIN) ) * $(SV -$(INFIN), -$(INFIN) ) * $(SV $(NAN), $(NAN) ) * ) */ real nextDown(real x) @safe pure nothrow @nogc { return -nextUp(-x); } /** ditto */ double nextDown(double x) @safe pure nothrow @nogc { return -nextUp(-x); } /** ditto */ float nextDown(float x) @safe pure nothrow @nogc { return -nextUp(-x); } /// @safe pure nothrow @nogc unittest { assert( nextDown(1.0 + real.epsilon) == 1.0); } @safe pure nothrow @nogc unittest { static if (floatTraits!(real).realFormat == RealFormat.ieeeExtended) { // Tests for 80-bit reals assert(isIdentical(nextUp(NaN(0xABC)), NaN(0xABC))); // negative numbers assert( nextUp(-real.infinity) == -real.max ); assert( nextUp(-1.0L-real.epsilon) == -1.0 ); assert( nextUp(-2.0L) == -2.0 + real.epsilon); // subnormals and zero assert( nextUp(-real.min_normal) == -real.min_normal*(1-real.epsilon) ); assert( nextUp(-real.min_normal*(1-real.epsilon)) == -real.min_normal*(1-2*real.epsilon) ); assert( isIdentical(-0.0L, nextUp(-real.min_normal*real.epsilon)) ); assert( nextUp(-0.0L) == real.min_normal*real.epsilon ); assert( nextUp(0.0L) == real.min_normal*real.epsilon ); assert( nextUp(real.min_normal*(1-real.epsilon)) == real.min_normal ); assert( nextUp(real.min_normal) == real.min_normal*(1+real.epsilon) ); // positive numbers assert( nextUp(1.0L) == 1.0 + real.epsilon ); assert( nextUp(2.0L-real.epsilon) == 2.0 ); assert( nextUp(real.max) == real.infinity ); assert( nextUp(real.infinity)==real.infinity ); } double n = NaN(0xABC); assert(isIdentical(nextUp(n), n)); // negative numbers assert( nextUp(-double.infinity) == -double.max ); assert( nextUp(-1-double.epsilon) == -1.0 ); assert( nextUp(-2.0) == -2.0 + double.epsilon); // subnormals and zero assert( nextUp(-double.min_normal) == -double.min_normal*(1-double.epsilon) ); assert( nextUp(-double.min_normal*(1-double.epsilon)) == -double.min_normal*(1-2*double.epsilon) ); assert( isIdentical(-0.0, nextUp(-double.min_normal*double.epsilon)) ); assert( nextUp(0.0) == double.min_normal*double.epsilon ); assert( nextUp(-0.0) == double.min_normal*double.epsilon ); assert( nextUp(double.min_normal*(1-double.epsilon)) == double.min_normal ); assert( nextUp(double.min_normal) == double.min_normal*(1+double.epsilon) ); // positive numbers assert( nextUp(1.0) == 1.0 + double.epsilon ); assert( nextUp(2.0-double.epsilon) == 2.0 ); assert( nextUp(double.max) == double.infinity ); float fn = NaN(0xABC); assert(isIdentical(nextUp(fn), fn)); float f = -float.min_normal*(1-float.epsilon); float f1 = -float.min_normal; assert( nextUp(f1) == f); f = 1.0f+float.epsilon; f1 = 1.0f; assert( nextUp(f1) == f ); f1 = -0.0f; assert( nextUp(f1) == float.min_normal*float.epsilon); assert( nextUp(float.infinity)==float.infinity ); assert(nextDown(1.0L+real.epsilon)==1.0); assert(nextDown(1.0+double.epsilon)==1.0); f = 1.0f+float.epsilon; assert(nextDown(f)==1.0); assert(nextafter(1.0+real.epsilon, -real.infinity)==1.0); } /****************************************** * Calculates the next representable value after x in the direction of y. * * If y > x, the result will be the next largest floating-point value; * if y < x, the result will be the next smallest value. * If x == y, the result is y. * * Remarks: * This function is not generally very useful; it's almost always better to use * the faster functions nextUp() or nextDown() instead. * * The FE_INEXACT and FE_OVERFLOW exceptions will be raised if x is finite and * the function result is infinite. The FE_INEXACT and FE_UNDERFLOW * exceptions will be raised if the function value is subnormal, and x is * not equal to y. */ T nextafter(T)(const T x, const T y) @safe pure nothrow @nogc { if (x == y) return y; return ((y>x) ? nextUp(x) : nextDown(x)); } /// @safe pure nothrow @nogc unittest { float a = 1; assert(is(typeof(nextafter(a, a)) == float)); assert(nextafter(a, a.infinity) > a); double b = 2; assert(is(typeof(nextafter(b, b)) == double)); assert(nextafter(b, b.infinity) > b); real c = 3; assert(is(typeof(nextafter(c, c)) == real)); assert(nextafter(c, c.infinity) > c); } //real nexttoward(real x, real y) { return core.stdc.math.nexttowardl(x, y); } /******************************************* * Returns the positive difference between x and y. * Returns: * $(TABLE_SV * $(TR $(TH x, y) $(TH fdim(x, y))) * $(TR $(TD x $(GT) y) $(TD x - y)) * $(TR $(TD x $(LT)= y) $(TD +0.0)) * ) */ real fdim(real x, real y) @safe pure nothrow @nogc { return (x > y) ? x - y : +0.0; } /**************************************** * Returns the larger of x and y. */ real fmax(real x, real y) @safe pure nothrow @nogc { return x > y ? x : y; } /**************************************** * Returns the smaller of x and y. */ real fmin(real x, real y) @safe pure nothrow @nogc { return x < y ? x : y; } /************************************** * Returns (x * y) + z, rounding only once according to the * current rounding mode. * * BUGS: Not currently implemented - rounds twice. */ real fma(real x, real y, real z) @safe pure nothrow @nogc { return (x * y) + z; } /******************************************************************* * Compute the value of x $(SUPERSCRIPT n), where n is an integer */ Unqual!F pow(F, G)(F x, G n) @nogc @trusted pure nothrow if (isFloatingPoint!(F) && isIntegral!(G)) { real p = 1.0, v = void; Unsigned!(Unqual!G) m = n; if (n < 0) { switch (n) { case -1: return 1 / x; case -2: return 1 / (x * x); default: } m = -n; v = p / x; } else { switch (n) { case 0: return 1.0; case 1: return x; case 2: return x * x; default: } v = x; } while (1) { if (m & 1) p *= v; m >>= 1; if (!m) break; v *= v; } return p; } @safe pure nothrow @nogc unittest { // Make sure it instantiates and works properly on immutable values and // with various integer and float types. immutable real x = 46; immutable float xf = x; immutable double xd = x; immutable uint one = 1; immutable ushort two = 2; immutable ubyte three = 3; immutable ulong eight = 8; immutable int neg1 = -1; immutable short neg2 = -2; immutable byte neg3 = -3; immutable long neg8 = -8; assert(pow(x,0) == 1.0); assert(pow(xd,one) == x); assert(pow(xf,two) == x * x); assert(pow(x,three) == x * x * x); assert(pow(x,eight) == (x * x) * (x * x) * (x * x) * (x * x)); assert(pow(x, neg1) == 1 / x); version(X86_64) { pragma(msg, "test disabled on x86_64, see bug 5628"); } else version(ARM) { pragma(msg, "test disabled on ARM, see bug 5628"); } else { assert(pow(xd, neg2) == 1 / (x * x)); assert(pow(xf, neg8) == 1 / ((x * x) * (x * x) * (x * x) * (x * x))); } assert(feqrel(pow(x, neg3), 1 / (x * x * x)) >= real.mant_dig - 1); } unittest { assert(equalsDigit(pow(2.0L, 10.0L), 1024, 19)); } /** Compute the value of an integer x, raised to the power of a positive * integer n. * * If both x and n are 0, the result is 1. * If n is negative, an integer divide error will occur at runtime, * regardless of the value of x. */ typeof(Unqual!(F).init * Unqual!(G).init) pow(F, G)(F x, G n) @nogc @trusted pure nothrow if (isIntegral!(F) && isIntegral!(G)) { if (n<0) return x/0; // Only support positive powers typeof(return) p, v = void; Unqual!G m = n; switch (m) { case 0: p = 1; break; case 1: p = x; break; case 2: p = x * x; break; default: v = x; p = 1; while (1){ if (m & 1) p *= v; m >>= 1; if (!m) break; v *= v; } break; } return p; } /// @safe pure nothrow @nogc unittest { immutable int one = 1; immutable byte two = 2; immutable ubyte three = 3; immutable short four = 4; immutable long ten = 10; assert(pow(two, three) == 8); assert(pow(two, ten) == 1024); assert(pow(one, ten) == 1); assert(pow(ten, four) == 10_000); assert(pow(four, 10) == 1_048_576); assert(pow(three, four) == 81); } /**Computes integer to floating point powers.*/ real pow(I, F)(I x, F y) @nogc @trusted pure nothrow if(isIntegral!I && isFloatingPoint!F) { return pow(cast(real) x, cast(Unqual!F) y); } /********************************************* * Calculates x$(SUPERSCRIPT y). * * $(TABLE_SV * $(TR $(TH x) $(TH y) $(TH pow(x, y)) * $(TH div 0) $(TH invalid?)) * $(TR $(TD anything) $(TD $(PLUSMN)0.0) $(TD 1.0) * $(TD no) $(TD no) ) * $(TR $(TD |x| $(GT) 1) $(TD +$(INFIN)) $(TD +$(INFIN)) * $(TD no) $(TD no) ) * $(TR $(TD |x| $(LT) 1) $(TD +$(INFIN)) $(TD +0.0) * $(TD no) $(TD no) ) * $(TR $(TD |x| $(GT) 1) $(TD -$(INFIN)) $(TD +0.0) * $(TD no) $(TD no) ) * $(TR $(TD |x| $(LT) 1) $(TD -$(INFIN)) $(TD +$(INFIN)) * $(TD no) $(TD no) ) * $(TR $(TD +$(INFIN)) $(TD $(GT) 0.0) $(TD +$(INFIN)) * $(TD no) $(TD no) ) * $(TR $(TD +$(INFIN)) $(TD $(LT) 0.0) $(TD +0.0) * $(TD no) $(TD no) ) * $(TR $(TD -$(INFIN)) $(TD odd integer $(GT) 0.0) $(TD -$(INFIN)) * $(TD no) $(TD no) ) * $(TR $(TD -$(INFIN)) $(TD $(GT) 0.0, not odd integer) $(TD +$(INFIN)) * $(TD no) $(TD no)) * $(TR $(TD -$(INFIN)) $(TD odd integer $(LT) 0.0) $(TD -0.0) * $(TD no) $(TD no) ) * $(TR $(TD -$(INFIN)) $(TD $(LT) 0.0, not odd integer) $(TD +0.0) * $(TD no) $(TD no) ) * $(TR $(TD $(PLUSMN)1.0) $(TD $(PLUSMN)$(INFIN)) $(TD $(NAN)) * $(TD no) $(TD yes) ) * $(TR $(TD $(LT) 0.0) $(TD finite, nonintegral) $(TD $(NAN)) * $(TD no) $(TD yes)) * $(TR $(TD $(PLUSMN)0.0) $(TD odd integer $(LT) 0.0) $(TD $(PLUSMNINF)) * $(TD yes) $(TD no) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(LT) 0.0, not odd integer) $(TD +$(INFIN)) * $(TD yes) $(TD no)) * $(TR $(TD $(PLUSMN)0.0) $(TD odd integer $(GT) 0.0) $(TD $(PLUSMN)0.0) * $(TD no) $(TD no) ) * $(TR $(TD $(PLUSMN)0.0) $(TD $(GT) 0.0, not odd integer) $(TD +0.0) * $(TD no) $(TD no) ) * ) */ Unqual!(Largest!(F, G)) pow(F, G)(F x, G y) @nogc @trusted pure nothrow if (isFloatingPoint!(F) && isFloatingPoint!(G)) { alias Float = typeof(return); static real impl(real x, real y) @nogc pure nothrow { // Special cases. if (isNaN(y)) return y; if (isNaN(x) && y != 0.0) return x; // Even if x is NaN. if (y == 0.0) return 1.0; if (y == 1.0) return x; if (isInfinity(y)) { if (fabs(x) > 1) { if (signbit(y)) return +0.0; else return F.infinity; } else if (fabs(x) == 1) { return y * 0; // generate NaN. } else // < 1 { if (signbit(y)) return F.infinity; else return +0.0; } } if (isInfinity(x)) { if (signbit(x)) { long i = cast(long)y; if (y > 0.0) { if (i == y && i & 1) return -F.infinity; else return F.infinity; } else if (y < 0.0) { if (i == y && i & 1) return -0.0; else return +0.0; } } else { if (y > 0.0) return F.infinity; else if (y < 0.0) return +0.0; } } if (x == 0.0) { if (signbit(x)) { long i = cast(long)y; if (y > 0.0) { if (i == y && i & 1) return -0.0; else return +0.0; } else if (y < 0.0) { if (i == y && i & 1) return -F.infinity; else return F.infinity; } } else { if (y > 0.0) return +0.0; else if (y < 0.0) return F.infinity; } } if (x == 1.0) return 1.0; if (y >= F.max) { if ((x > 0.0 && x < 1.0) || (x > -1.0 && x < 0.0)) return 0.0; if (x > 1.0 || x < -1.0) return F.infinity; } if (y <= -F.max) { if ((x > 0.0 && x < 1.0) || (x > -1.0 && x < 0.0)) return F.infinity; if (x > 1.0 || x < -1.0) return 0.0; } if (x >= F.max) { if (y > 0.0) return F.infinity; else return 0.0; } if (x <= -F.max) { long i = cast(long)y; if (y > 0.0) { if (i == y && i & 1) return -F.infinity; else return F.infinity; } else if (y < 0.0) { if (i == y && i & 1) return -0.0; else return +0.0; } } // Integer power of x. long iy = cast(long)y; if (iy == y && fabs(y) < 32768.0) return pow(x, iy); double sign = 1.0; if (x < 0) { // Result is real only if y is an integer // Check for a non-zero fractional part enum maxOdd = pow(2.0L, real.mant_dig) - 1.0L; static if(maxOdd > ulong.max) { // Generic method, for any FP type if(floor(y) != y) return sqrt(x); // Complex result -- create a NaN const hy = ldexp(y, -1); if(floor(hy) != hy) sign = -1.0; } else { // Much faster, if ulong has enough precision const absY = fabs(y); if(absY <= maxOdd) { const uy = cast(ulong)absY; if(uy != absY) return sqrt(x); // Complex result -- create a NaN if(uy & 1) sign = -1.0; } } x = -x; } version(INLINE_YL2X) { // If x > 0, x ^^ y == 2 ^^ ( y * log2(x) ) // TODO: This is not accurate in practice. A fast and accurate // (though complicated) method is described in: // "An efficient rounding boundary test for pow(x, y) // in double precision", C.Q. Lauter and V. Lefèvre, INRIA (2007). return sign * exp2( yl2x(x, y) ); } else { // If x > 0, x ^^ y == 2 ^^ ( y * log2(x) ) // TODO: This is not accurate in practice. A fast and accurate // (though complicated) method is described in: // "An efficient rounding boundary test for pow(x, y) // in double precision", C.Q. Lauter and V. Lefèvre, INRIA (2007). Float w = exp2(y * log2(x)); return sign * w; } } return impl(x, y); } @safe pure nothrow @nogc unittest { // Test all the special values. These unittests can be run on Windows // by temporarily changing the version(linux) to version(all). immutable float zero = 0; immutable real one = 1; immutable double two = 2; immutable float three = 3; immutable float fnan = float.nan; immutable double dnan = double.nan; immutable real rnan = real.nan; immutable dinf = double.infinity; immutable rninf = -real.infinity; assert(pow(fnan, zero) == 1); assert(pow(dnan, zero) == 1); assert(pow(rnan, zero) == 1); assert(pow(two, dinf) == double.infinity); assert(isIdentical(pow(0.2f, dinf), +0.0)); assert(pow(0.99999999L, rninf) == real.infinity); assert(isIdentical(pow(1.000000001, rninf), +0.0)); assert(pow(dinf, 0.001) == dinf); assert(isIdentical(pow(dinf, -0.001), +0.0)); assert(pow(rninf, 3.0L) == rninf); assert(pow(rninf, 2.0L) == real.infinity); assert(isIdentical(pow(rninf, -3.0), -0.0)); assert(isIdentical(pow(rninf, -2.0), +0.0)); // @@@BUG@@@ somewhere version(OSX) {} else assert(isNaN(pow(one, dinf))); version(OSX) {} else assert(isNaN(pow(-one, dinf))); assert(isNaN(pow(-0.2, PI))); // boundary cases. Note that epsilon == 2^^-n for some n, // so 1/epsilon == 2^^n is always even. assert(pow(-1.0L, 1/real.epsilon - 1.0L) == -1.0L); assert(pow(-1.0L, 1/real.epsilon) == 1.0L); assert(isNaN(pow(-1.0L, 1/real.epsilon-0.5L))); assert(isNaN(pow(-1.0L, -1/real.epsilon+0.5L))); assert(pow(0.0, -3.0) == double.infinity); assert(pow(-0.0, -3.0) == -double.infinity); assert(pow(0.0, -PI) == double.infinity); assert(pow(-0.0, -PI) == double.infinity); assert(isIdentical(pow(0.0, 5.0), 0.0)); assert(isIdentical(pow(-0.0, 5.0), -0.0)); assert(isIdentical(pow(0.0, 6.0), 0.0)); assert(isIdentical(pow(-0.0, 6.0), 0.0)); // Issue #14786 fixed immutable real maxOdd = pow(2.0L, real.mant_dig) - 1.0L; assert(pow(-1.0L, maxOdd) == -1.0L); assert(pow(-1.0L, -maxOdd) == -1.0L); assert(pow(-1.0L, maxOdd + 1.0L) == 1.0L); assert(pow(-1.0L, -maxOdd + 1.0L) == 1.0L); assert(pow(-1.0L, maxOdd - 1.0L) == 1.0L); assert(pow(-1.0L, -maxOdd - 1.0L) == 1.0L); // Now, actual numbers. assert(approxEqual(pow(two, three), 8.0)); assert(approxEqual(pow(two, -2.5), 0.1767767)); // Test integer to float power. immutable uint twoI = 2; assert(approxEqual(pow(twoI, three), 8.0)); } /************************************** * To what precision is x equal to y? * * Returns: the number of mantissa bits which are equal in x and y. * eg, 0x1.F8p+60 and 0x1.F1p+60 are equal to 5 bits of precision. * * $(TABLE_SV * $(TR $(TH x) $(TH y) $(TH feqrel(x, y))) * $(TR $(TD x) $(TD x) $(TD real.mant_dig)) * $(TR $(TD x) $(TD $(GT)= 2*x) $(TD 0)) * $(TR $(TD x) $(TD $(LT)= x/2) $(TD 0)) * $(TR $(TD $(NAN)) $(TD any) $(TD 0)) * $(TR $(TD any) $(TD $(NAN)) $(TD 0)) * ) */ int feqrel(X)(const X x, const X y) @trusted pure nothrow @nogc if (isFloatingPoint!(X)) { /* Public Domain. Author: Don Clugston, 18 Aug 2005. */ alias F = floatTraits!(X); static if (F.realFormat == RealFormat.ibmExtended) { if (cast(double*)(&x)[MANTISSA_MSB] == cast(double*)(&y)[MANTISSA_MSB]) { return double.mant_dig + feqrel(cast(double*)(&x)[MANTISSA_LSB], cast(double*)(&y)[MANTISSA_LSB]); } else { return feqrel(cast(double*)(&x)[MANTISSA_MSB], cast(double*)(&y)[MANTISSA_MSB]); } } else { static assert (F.realFormat == RealFormat.ieeeSingle || F.realFormat == RealFormat.ieeeDouble || F.realFormat == RealFormat.ieeeExtended || F.realFormat == RealFormat.ieeeQuadruple); if (x == y) return X.mant_dig; // ensure diff!=0, cope with INF. Unqual!X diff = fabs(x - y); ushort *pa = cast(ushort *)(&x); ushort *pb = cast(ushort *)(&y); ushort *pd = cast(ushort *)(&diff); // The difference in abs(exponent) between x or y and abs(x-y) // is equal to the number of significand bits of x which are // equal to y. If negative, x and y have different exponents. // If positive, x and y are equal to 'bitsdiff' bits. // AND with 0x7FFF to form the absolute value. // To avoid out-by-1 errors, we subtract 1 so it rounds down // if the exponents were different. This means 'bitsdiff' is // always 1 lower than we want, except that if bitsdiff==0, // they could have 0 or 1 bits in common. int bitsdiff = ((( (pa[F.EXPPOS_SHORT] & F.EXPMASK) + (pb[F.EXPPOS_SHORT] & F.EXPMASK) - (1 << F.EXPSHIFT)) >> 1) - (pd[F.EXPPOS_SHORT] & F.EXPMASK)) >> F.EXPSHIFT; if ( (pd[F.EXPPOS_SHORT] & F.EXPMASK) == 0) { // Difference is subnormal // For subnormals, we need to add the number of zeros that // lie at the start of diff's significand. // We do this by multiplying by 2^^real.mant_dig diff *= F.RECIP_EPSILON; return bitsdiff + X.mant_dig - ((pd[F.EXPPOS_SHORT] & F.EXPMASK) >> F.EXPSHIFT); } if (bitsdiff > 0) return bitsdiff + 1; // add the 1 we subtracted before // Avoid out-by-1 errors when factor is almost 2. if (bitsdiff == 0 && ((pa[F.EXPPOS_SHORT] ^ pb[F.EXPPOS_SHORT]) & F.EXPMASK) == 0) { return 1; } else return 0; } } @safe pure nothrow @nogc unittest { void testFeqrel(F)() { // Exact equality assert(feqrel(F.max, F.max) == F.mant_dig); assert(feqrel!(F)(0.0, 0.0) == F.mant_dig); assert(feqrel(F.infinity, F.infinity) == F.mant_dig); // a few bits away from exact equality F w=1; for (int i = 1; i < F.mant_dig - 1; ++i) { assert(feqrel!(F)(1.0 + w * F.epsilon, 1.0) == F.mant_dig-i); assert(feqrel!(F)(1.0 - w * F.epsilon, 1.0) == F.mant_dig-i); assert(feqrel!(F)(1.0, 1 + (w-1) * F.epsilon) == F.mant_dig - i + 1); w*=2; } assert(feqrel!(F)(1.5+F.epsilon, 1.5) == F.mant_dig-1); assert(feqrel!(F)(1.5-F.epsilon, 1.5) == F.mant_dig-1); assert(feqrel!(F)(1.5-F.epsilon, 1.5+F.epsilon) == F.mant_dig-2); // Numbers that are close assert(feqrel!(F)(0x1.Bp+84, 0x1.B8p+84) == 5); assert(feqrel!(F)(0x1.8p+10, 0x1.Cp+10) == 2); assert(feqrel!(F)(1.5 * (1 - F.epsilon), 1.0L) == 2); assert(feqrel!(F)(1.5, 1.0) == 1); assert(feqrel!(F)(2 * (1 - F.epsilon), 1.0L) == 1); // Factors of 2 assert(feqrel(F.max, F.infinity) == 0); assert(feqrel!(F)(2 * (1 - F.epsilon), 1.0L) == 1); assert(feqrel!(F)(1.0, 2.0) == 0); assert(feqrel!(F)(4.0, 1.0) == 0); // Extreme inequality assert(feqrel(F.nan, F.nan) == 0); assert(feqrel!(F)(0.0L, -F.nan) == 0); assert(feqrel(F.nan, F.infinity) == 0); assert(feqrel(F.infinity, -F.infinity) == 0); assert(feqrel(F.max, -F.max) == 0); assert(feqrel(F.min_normal / 8, F.min_normal / 17) == 3); const F Const = 2; immutable F Immutable = 2; auto Compiles = feqrel(Const, Immutable); } assert(feqrel(7.1824L, 7.1824L) == real.mant_dig); testFeqrel!(real)(); testFeqrel!(double)(); testFeqrel!(float)(); } package: // Not public yet /* Return the value that lies halfway between x and y on the IEEE number line. * * Formally, the result is the arithmetic mean of the binary significands of x * and y, multiplied by the geometric mean of the binary exponents of x and y. * x and y must have the same sign, and must not be NaN. * Note: this function is useful for ensuring O(log n) behaviour in algorithms * involving a 'binary chop'. * * Special cases: * If x and y are within a factor of 2, (ie, feqrel(x, y) > 0), the return value * is the arithmetic mean (x + y) / 2. * If x and y are even powers of 2, the return value is the geometric mean, * ieeeMean(x, y) = sqrt(x * y). * */ T ieeeMean(T)(const T x, const T y) @trusted pure nothrow @nogc in { // both x and y must have the same sign, and must not be NaN. assert(signbit(x) == signbit(y)); assert(x == x && y == y); } body { // Runtime behaviour for contract violation: // If signs are opposite, or one is a NaN, return 0. if (!((x>=0 && y>=0) || (x<=0 && y<=0))) return 0.0; // The implementation is simple: cast x and y to integers, // average them (avoiding overflow), and cast the result back to a floating-point number. alias F = floatTraits!(T); T u; static if (F.realFormat == RealFormat.ieeeExtended) { // There's slight additional complexity because they are actually // 79-bit reals... ushort *ue = cast(ushort *)&u; ulong *ul = cast(ulong *)&u; ushort *xe = cast(ushort *)&x; ulong *xl = cast(ulong *)&x; ushort *ye = cast(ushort *)&y; ulong *yl = cast(ulong *)&y; // Ignore the useless implicit bit. (Bonus: this prevents overflows) ulong m = ((*xl) & 0x7FFF_FFFF_FFFF_FFFFL) + ((*yl) & 0x7FFF_FFFF_FFFF_FFFFL); // @@@ BUG? @@@ // Cast shouldn't be here ushort e = cast(ushort) ((xe[F.EXPPOS_SHORT] & F.EXPMASK) + (ye[F.EXPPOS_SHORT] & F.EXPMASK)); if (m & 0x8000_0000_0000_0000L) { ++e; m &= 0x7FFF_FFFF_FFFF_FFFFL; } // Now do a multi-byte right shift uint c = e & 1; // carry e >>= 1; m >>>= 1; if (c) m |= 0x4000_0000_0000_0000L; // shift carry into significand if (e) *ul = m | 0x8000_0000_0000_0000L; // set implicit bit... else *ul = m; // ... unless exponent is 0 (subnormal or zero). ue[4]= e | (xe[F.EXPPOS_SHORT]& 0x8000); // restore sign bit } else static if (F.realFormat == RealFormat.ieeeQuadruple) { // This would be trivial if 'ucent' were implemented... ulong *ul = cast(ulong *)&u; ulong *xl = cast(ulong *)&x; ulong *yl = cast(ulong *)&y; // Multi-byte add, then multi-byte right shift. ulong mh = ((xl[MANTISSA_MSB] & 0x7FFF_FFFF_FFFF_FFFFL) + (yl[MANTISSA_MSB] & 0x7FFF_FFFF_FFFF_FFFFL)); // Discard the lowest bit (to avoid overflow) ulong ml = (xl[MANTISSA_LSB]>>>1) + (yl[MANTISSA_LSB]>>>1); // add the lowest bit back in, if necessary. if (xl[MANTISSA_LSB] & yl[MANTISSA_LSB] & 1) { ++ml; if (ml == 0) ++mh; } mh >>>=1; ul[MANTISSA_MSB] = mh | (xl[MANTISSA_MSB] & 0x8000_0000_0000_0000); ul[MANTISSA_LSB] = ml; } else static if (F.realFormat == RealFormat.ieeeDouble) { ulong *ul = cast(ulong *)&u; ulong *xl = cast(ulong *)&x; ulong *yl = cast(ulong *)&y; ulong m = (((*xl) & 0x7FFF_FFFF_FFFF_FFFFL) + ((*yl) & 0x7FFF_FFFF_FFFF_FFFFL)) >>> 1; m |= ((*xl) & 0x8000_0000_0000_0000L); *ul = m; } else static if (F.realFormat == RealFormat.ieeeSingle) { uint *ul = cast(uint *)&u; uint *xl = cast(uint *)&x; uint *yl = cast(uint *)&y; uint m = (((*xl) & 0x7FFF_FFFF) + ((*yl) & 0x7FFF_FFFF)) >>> 1; m |= ((*xl) & 0x8000_0000); *ul = m; } else { assert(0, "Not implemented"); } return u; } @safe pure nothrow @nogc unittest { assert(ieeeMean(-0.0,-1e-20)<0); assert(ieeeMean(0.0,1e-20)>0); assert(ieeeMean(1.0L,4.0L)==2L); assert(ieeeMean(2.0*1.013,8.0*1.013)==4*1.013); assert(ieeeMean(-1.0L,-4.0L)==-2L); assert(ieeeMean(-1.0,-4.0)==-2); assert(ieeeMean(-1.0f,-4.0f)==-2f); assert(ieeeMean(-1.0,-2.0)==-1.5); assert(ieeeMean(-1*(1+8*real.epsilon),-2*(1+8*real.epsilon)) ==-1.5*(1+5*real.epsilon)); assert(ieeeMean(0x1p60,0x1p-10)==0x1p25); static if (floatTraits!(real).realFormat == RealFormat.ieeeExtended) { assert(ieeeMean(1.0L,real.infinity)==0x1p8192L); assert(ieeeMean(0.0L,real.infinity)==1.5); } assert(ieeeMean(0.5*real.min_normal*(1-4*real.epsilon),0.5*real.min_normal) == 0.5*real.min_normal*(1-2*real.epsilon)); } public: /*********************************** * Evaluate polynomial A(x) = $(SUB a, 0) + $(SUB a, 1)x + $(SUB a, 2)$(POWER x,2) * + $(SUB a,3)$(POWER x,3); ... * * Uses Horner's rule A(x) = $(SUB a, 0) + x($(SUB a, 1) + x($(SUB a, 2) * + x($(SUB a, 3) + ...))) * Params: * x = the value to evaluate. * A = array of coefficients $(SUB a, 0), $(SUB a, 1), etc. */ Unqual!(CommonType!(T1, T2)) poly(T1, T2)(T1 x, in T2[] A) @trusted pure nothrow @nogc if (isFloatingPoint!T1 && isFloatingPoint!T2) in { assert(A.length > 0); } body { static if(is(Unqual!T2 == real)) { return polyImpl(x, A); } else { return polyImplBase(x, A); } } /// @safe nothrow @nogc unittest { double x = 3.1; static real[] pp = [56.1, 32.7, 6]; assert(poly(x, pp) == (56.1L + (32.7L + 6.0L * x) * x)); } @safe nothrow @nogc unittest { double x = 3.1; static double[] pp = [56.1, 32.7, 6]; double y = x; y *= 6.0; y += 32.7; y *= x; y += 56.1; assert(poly(x, pp) == y); } unittest { static assert(poly(3.0, [1.0, 2.0, 3.0]) == 34); } private Unqual!(CommonType!(T1, T2)) polyImplBase(T1, T2)(T1 x, in T2[] A) @trusted pure nothrow @nogc if (isFloatingPoint!T1 && isFloatingPoint!T2) { ptrdiff_t i = A.length - 1; typeof(return) r = A[i]; while (--i >= 0) { r *= x; r += A[i]; } return r; } private real polyImpl(real x, in real[] A) @trusted pure nothrow @nogc { version (D_InlineAsm_X86) { if(__ctfe) { return polyImplBase(x, A); } version (Windows) { // BUG: This code assumes a frame pointer in EBP. asm pure nothrow @nogc // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX][ECX*8] ; add EDX,ECX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -10[EDX] ; sub EDX,10 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else version (linux) { asm pure nothrow @nogc // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX*8] ; lea EDX,[EDX][ECX*4] ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -12[EDX] ; sub EDX,12 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else version (OSX) { asm pure nothrow @nogc // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX*8] ; add EDX,EDX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -16[EDX] ; sub EDX,16 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else version (FreeBSD) { asm pure nothrow @nogc // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX*8] ; lea EDX,[EDX][ECX*4] ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -12[EDX] ; sub EDX,12 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else { static assert(0); } } else { return polyImplBase(x, A); } } /** Computes whether $(D lhs) is approximately equal to $(D rhs) admitting a maximum relative difference $(D maxRelDiff) and a maximum absolute difference $(D maxAbsDiff). If the two inputs are ranges, $(D approxEqual) returns true if and only if the ranges have the same number of elements and if $(D approxEqual) evaluates to $(D true) for each pair of elements. */ bool approxEqual(T, U, V)(T lhs, U rhs, V maxRelDiff, V maxAbsDiff = 1e-5) { import std.range; static if (isInputRange!T) { static if (isInputRange!U) { // Two ranges for (;; lhs.popFront(), rhs.popFront()) { if (lhs.empty) return rhs.empty; if (rhs.empty) return lhs.empty; if (!approxEqual(lhs.front, rhs.front, maxRelDiff, maxAbsDiff)) return false; } } else static if (isIntegral!U) { // convert rhs to real return approxEqual(lhs, real(rhs), maxRelDiff, maxAbsDiff); } else { // lhs is range, rhs is number for (; !lhs.empty; lhs.popFront()) { if (!approxEqual(lhs.front, rhs, maxRelDiff, maxAbsDiff)) return false; } return true; } } else { static if (isInputRange!U) { // lhs is number, rhs is array return approxEqual(rhs, lhs, maxRelDiff, maxAbsDiff); } else static if (isIntegral!T || isIntegral!U) { // convert both lhs and rhs to real return approxEqual(real(lhs), real(rhs), maxRelDiff, maxAbsDiff); } else { // two numbers //static assert(is(T : real) && is(U : real)); if (rhs == 0) { return fabs(lhs) <= maxAbsDiff; } static if (is(typeof(lhs.infinity)) && is(typeof(rhs.infinity))) { if (lhs == lhs.infinity && rhs == rhs.infinity || lhs == -lhs.infinity && rhs == -rhs.infinity) return true; } return fabs((lhs - rhs) / rhs) <= maxRelDiff || maxAbsDiff != 0 && fabs(lhs - rhs) <= maxAbsDiff; } } } /** Returns $(D approxEqual(lhs, rhs, 1e-2, 1e-5)). */ bool approxEqual(T, U)(T lhs, U rhs) { return approxEqual(lhs, rhs, 1e-2, 1e-5); } /// @safe pure nothrow unittest { assert(approxEqual(1.0, 1.0099)); assert(!approxEqual(1.0, 1.011)); float[] arr1 = [ 1.0, 2.0, 3.0 ]; double[] arr2 = [ 1.001, 1.999, 3 ]; assert(approxEqual(arr1, arr2)); real num = real.infinity; assert(num == real.infinity); // Passes. assert(approxEqual(num, real.infinity)); // Fails. num = -real.infinity; assert(num == -real.infinity); // Passes. assert(approxEqual(num, -real.infinity)); // Fails. assert(!approxEqual(3, 0)); assert(approxEqual(3, 3)); assert(approxEqual(3.0, 3)); assert(approxEqual([3, 3, 3], 3.0)); assert(approxEqual([3.0, 3.0, 3.0], 3)); int a = 10; assert(approxEqual(10, a)); } // Included for backwards compatibility with Phobos1 deprecated("Phobos1 math functions are deprecated, use isNaN") alias isnan = isNaN; deprecated("Phobos1 math functions are deprecated, use isFinite ") alias isfinite = isFinite; deprecated("Phobos1 math functions are deprecated, use isNormal ") alias isnormal = isNormal; deprecated("Phobos1 math functions are deprecated, use isSubnormal ") alias issubnormal = isSubnormal; deprecated("Phobos1 math functions are deprecated, use isInfinity ") alias isinf = isInfinity; /* ********************************** * Building block functions, they * translate to a single x87 instruction. */ real yl2x(real x, real y) @nogc @safe pure nothrow; // y * log2(x) real yl2xp1(real x, real y) @nogc @safe pure nothrow; // y * log2(x + 1) @safe pure nothrow @nogc unittest { version (INLINE_YL2X) { assert(yl2x(1024, 1) == 10); assert(yl2xp1(1023, 1) == 10); } } @safe pure nothrow @nogc unittest { real num = real.infinity; assert(num == real.infinity); // Passes. assert(approxEqual(num, real.infinity)); // Fails. } @safe pure nothrow @nogc unittest { float f = sqrt(2.0f); assert(fabs(f * f - 2.0f) < .00001); double d = sqrt(2.0); assert(fabs(d * d - 2.0) < .00001); real r = sqrt(2.0L); assert(fabs(r * r - 2.0) < .00001); } @safe pure nothrow @nogc unittest { float f = fabs(-2.0f); assert(f == 2); double d = fabs(-2.0); assert(d == 2); real r = fabs(-2.0L); assert(r == 2); } @safe pure nothrow @nogc unittest { float f = sin(-2.0f); assert(fabs(f - -0.909297f) < .00001); double d = sin(-2.0); assert(fabs(d - -0.909297f) < .00001); real r = sin(-2.0L); assert(fabs(r - -0.909297f) < .00001); } @safe pure nothrow @nogc unittest { float f = cos(-2.0f); assert(fabs(f - -0.416147f) < .00001); double d = cos(-2.0); assert(fabs(d - -0.416147f) < .00001); real r = cos(-2.0L); assert(fabs(r - -0.416147f) < .00001); } @safe pure nothrow @nogc unittest { float f = tan(-2.0f); assert(fabs(f - 2.18504f) < .00001); double d = tan(-2.0); assert(fabs(d - 2.18504f) < .00001); real r = tan(-2.0L); assert(fabs(r - 2.18504f) < .00001); } @safe pure nothrow unittest { // issue 6381: floor/ceil should be usable in pure function. auto x = floor(1.2); auto y = ceil(1.2); } /*********************************** * Defines a total order on all floating-point numbers. * * The order is defined as follows: * $(UL * $(LI All numbers in [-$(INFIN), +$(INFIN)] are ordered * the same way as by built-in comparison, with the exception of * -0.0, which is less than +0.0;) * $(LI If the sign bit is set (that is, it's 'negative'), $(NAN) is less * than any number; if the sign bit is not set (it is 'positive'), * $(NAN) is greater than any number;) * $(LI $(NAN)s of the same sign are ordered by the payload ('negative' * ones - in reverse order).) * ) * * Returns: * negative value if $(D x) precedes $(D y) in the order specified above; * 0 if $(D x) and $(D y) are identical, and positive value otherwise. * * See_Also: * $(MYREF isIdentical) * Standards: Conforms to IEEE 754-2008 */ int cmp(T)(const(T) x, const(T) y) @nogc @trusted pure nothrow if (isFloatingPoint!T) { alias F = floatTraits!T; static if (F.realFormat == RealFormat.ieeeSingle || F.realFormat == RealFormat.ieeeDouble) { static if (T.sizeof == 4) alias UInt = uint; else alias UInt = ulong; union Repainter { T number; UInt bits; } enum msb = ~(UInt.max >>> 1); import std.typecons : Tuple; Tuple!(Repainter, Repainter) vars = void; vars[0].number = x; vars[1].number = y; foreach (ref var; vars) if (var.bits & msb) var.bits = ~var.bits; else var.bits |= msb; if (vars[0].bits < vars[1].bits) return -1; else if (vars[0].bits > vars[1].bits) return 1; else return 0; } else static if (F.realFormat == RealFormat.ieeeExtended53 || F.realFormat == RealFormat.ieeeExtended || F.realFormat == RealFormat.ieeeQuadruple) { static if (F.realFormat == RealFormat.ieeeQuadruple) alias RemT = ulong; else alias RemT = ushort; struct Bits { ulong bulk; RemT rem; } union Repainter { T number; Bits bits; ubyte[T.sizeof] bytes; } import std.typecons : Tuple; Tuple!(Repainter, Repainter) vars = void; vars[0].number = x; vars[1].number = y; foreach (ref var; vars) if (var.bytes[F.SIGNPOS_BYTE] & 0x80) { var.bits.bulk = ~var.bits.bulk; var.bits.rem = ~var.bits.rem; } else { var.bytes[F.SIGNPOS_BYTE] |= 0x80; } version(LittleEndian) { if (vars[0].bits.rem < vars[1].bits.rem) return -1; else if (vars[0].bits.rem > vars[1].bits.rem) return 1; else if (vars[0].bits.bulk < vars[1].bits.bulk) return -1; else if (vars[0].bits.bulk > vars[1].bits.bulk) return 1; else return 0; } else { if (vars[0].bits.bulk < vars[1].bits.bulk) return -1; else if (vars[0].bits.bulk > vars[1].bits.bulk) return 1; else if (vars[0].bits.rem < vars[1].bits.rem) return -1; else if (vars[0].bits.rem > vars[1].bits.rem) return 1; else return 0; } } else { // IBM Extended doubledouble does not follow the general // sign-exponent-significand layout, so has to be handled generically int xSign = signbit(x), ySign = signbit(y); if (xSign == 1 && ySign == 1) return cmp(-y, -x); else if (xSign == 1) return -1; else if (ySign == 1) return 1; else if (x < y) return -1; else if (x == y) return 0; else if (x > y) return 1; else if (isNaN(x) && !isNaN(y)) return 1; else if (isNaN(y) && !isNaN(x)) return -1; else if (getNaNPayload(x) < getNaNPayload(y)) return -1; else if (getNaNPayload(x) > getNaNPayload(y)) return 1; else return 0; } } /// Most numbers are ordered naturally. unittest { assert(cmp(-double.infinity, -double.max) < 0); assert(cmp(-double.max, -100.0) < 0); assert(cmp(-100.0, -0.5) < 0); assert(cmp(-0.5, 0.0) < 0); assert(cmp(0.0, 0.5) < 0); assert(cmp(0.5, 100.0) < 0); assert(cmp(100.0, double.max) < 0); assert(cmp(double.max, double.infinity) < 0); assert(cmp(1.0, 1.0) == 0); } /// Positive and negative zeroes are distinct. unittest { assert(cmp(-0.0, +0.0) < 0); assert(cmp(+0.0, -0.0) > 0); } /// Depending on the sign, $(NAN)s go to either end of the spectrum. unittest { assert(cmp(-double.nan, -double.infinity) < 0); assert(cmp(double.infinity, double.nan) < 0); assert(cmp(-double.nan, double.nan) < 0); } /// $(NAN)s of the same sign are ordered by the payload. unittest { assert(cmp(NaN(10), NaN(20)) < 0); assert(cmp(-NaN(20), -NaN(10)) < 0); } unittest { import std.meta; foreach (T; AliasSeq!(float, double, real)) { T[] values = [-cast(T)NaN(20), -cast(T)NaN(10), -T.nan, -T.infinity, -T.max, -T.max / 2, T(-16.0), T(-1.0).nextDown, T(-1.0), T(-1.0).nextUp, T(-0.5), -T.min_normal, (-T.min_normal).nextUp, -2 * T.min_normal * T.epsilon, -T.min_normal * T.epsilon, T(-0.0), T(0.0), T.min_normal * T.epsilon, 2 * T.min_normal * T.epsilon, T.min_normal.nextDown, T.min_normal, T(0.5), T(1.0).nextDown, T(1.0), T(1.0).nextUp, T(16.0), T.max / 2, T.max, T.infinity, T.nan, cast(T)NaN(10), cast(T)NaN(20)]; foreach (i, x; values) { foreach (y; values[i + 1 .. $]) { assert(cmp(x, y) < 0); assert(cmp(y, x) > 0); } assert(cmp(x, x) == 0); } } }
D
/x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/JetCleaningAnalysisHI/obj/JetCleaningAnalysisHICINT.o /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/JetCleaningAnalysisHI/obj/JetCleaningAnalysisHICINT.d : /x/calo/jgoncalves/JetCleaningHI/JetCleaningAnalysisHI/Root/LinkDef.h /x/calo/jgoncalves/JetCleaningHI/JetCleaningAnalysisHI/JetCleaningAnalysisHI/HIHI_TMVA.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventLoop/Algorithm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventLoop/Global.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TNamed.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RtypesCore.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/DllImport.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypeinfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/snprintf.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/strlcpy.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TGenericClassInfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSchemaHelper.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVersionCheck.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Riosfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TBuffer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMathBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RStringView.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RConfigure.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RWrap_libcpp_string_view.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/libcpp_string_view.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventLoop/StatusCode.h /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 /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/GoodRunsLists/GoodRunsListSelectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/GoodRunsLists/IGoodRunsListSelectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/IAsgTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgToolsConf.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgToolMacros.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/StatusCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/Check.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgStreamMacros.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgLevel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/GoodRunsLists/RegularFormula.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TFormula.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TBits.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/TMethodCall.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/TInterpreter.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVirtualMutex.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TString.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgMessaging.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgStream.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEvent.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEvent.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TEvent.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypes.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/EventFormat.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/versions/EventFormat_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/EventFormatElement.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxStoreHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TReturnCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TEvent.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ConstDataVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ConstDataVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/transform_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/result_of.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/slot.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/detail/def.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_binary_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_shifted_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/intercept.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/declval.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/iter/forward1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/lower1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/detail/shared.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/upper1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/detail/result_of_iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TStore.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/normalizedTypeinfoName.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructor.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/THolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TClass.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/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 /x/calo/jgoncalves/JetCleaningHI/JetCleaningAnalysisHI/JetCleaningAnalysisHI/AtlasStyle.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TStyle.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttLine.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttFill.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttText.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttMarker.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayI.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArray.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfxAOD/xAODConfigTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgMetadataTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEventMeta.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEventMeta.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TVirtualIncidentListener.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TIncident.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgMetadataTool.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfInterfaces/ITrigConfigTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfInterfaces/IILVL1ConfigSvc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfInterfaces/IIHLTConfigSvc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/CTPConfig.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/Menu.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/L1DataBaseclass.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TrigConfData.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TriggerItem.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TriggerItemNode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/L1DataDef.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/ThresholdConfig.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TriggerThreshold.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TriggerThresholdValue.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/CaloInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/CaloSinCos.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/METSigParam.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/IsolationParam.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/ThresholdMonitor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/PIT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/TIP.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index_container.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/allocator_utilities.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/no_exceptions_support.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/no_exceptions_support.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/core.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/config_begin.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/workaround.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/config_end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/at.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/at_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/at_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/begin_end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/begin_end_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/begin_end_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/sequence_tag_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_begin.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/traits_lambda_spec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/sequence_tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/is_msvc_eti_arg.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/advance.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/advance_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/less.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/comparison_op.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/numeric_op.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/numeric_cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/numeric_cast_utils.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/forwarding.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/msvc_eti_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/less.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/negate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/integral_c.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/integral_c_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/long.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/long_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/advance_forward.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/advance_forward.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/advance_backward.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/prior.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/advance_backward.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/deref.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/msvc_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/contains.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/contains_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/contains_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/find.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/find_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/find_if_pred.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/iter_apply.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/iter_fold_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/logical.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/pair.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/iter_fold_if_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/iter_fold_if_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/same_as.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/lambda_spec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/size_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/size_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/distance.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/distance_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/iter_fold.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/O1_size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/O1_size_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/O1_size_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/iter_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/iter_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/iterator_range.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index_container_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/identity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/identity_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/indexed_by.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/limits/vector.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/vector20.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/vector10.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/vector0.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/at.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/typeof.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/front_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/push_front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/push_front_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/item.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/pop_front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/pop_front_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/push_back.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/push_back_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/pop_back.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/pop_back_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/back.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/back_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/clear.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/clear_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/vector0.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/iterator_tags.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/plus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/arithmetic_op.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/largest_int.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/plus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/minus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/minus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/O1_size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/empty_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/begin_end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/include_preprocessed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/preprocessed/typeof_based/vector10.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/vector/aux_/preprocessed/typeof_based/vector20.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/vector.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/expr_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/ordered_index_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/ord_index_args.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/no_duplicate_tags.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/fold.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/set0.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/at_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/has_key_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/has_key_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/overload_names.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/ptr_to_ref.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/operators.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/clear_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/set0.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/size_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/empty_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/insert_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/insert_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/item.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/insert_range_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/insert_range_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/insert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/insert_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/reverse_fold.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/reverse_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/reverse_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/clear.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/clear_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/push_front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/push_front_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/erase_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/erase_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/erase_key_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/erase_key_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/key_type_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/key_type_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/value_type_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/value_type_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/begin_end_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/set/aux_/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/has_key.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_key_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/transform.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/pair_view.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/iterator_category.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/min_max.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/is_sequence.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/inserter_algorithm.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/back_inserter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/push_back.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/push_back_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/inserter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/front_inserter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/ord_index_impl_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/access_specifier.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/adl_swap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/base_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/index_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/utility.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/utility_core.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/meta_utils.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/meta_utils_core.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/type_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/assert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/copy_map.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/auto_space.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/raw_ptr.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/do_not_copy_elements_tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/node_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/reverse_iter_fold.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/reverse_iter_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/reverse_iter_fold_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/header_holder.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/index_node_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/archive/archive_exception.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/archive/detail/decl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/archive/detail/abi_prefix.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/abi_prefix.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/archive/detail/abi_suffix.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/abi_suffix.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/access.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/throw_exception.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/is_index_list.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/empty_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/vartempl_support.hpp /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/boost/multi_index/detail/index_loader.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/nvp.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/level.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/level_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/tracking.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/greater.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/greater.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/tracking_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/type_info_implementation.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/split_member.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/base_object.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/force_include.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/void_cast_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/wrapper.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/index_saver.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/index_matcher.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/converter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/has_tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/safe_mode.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/scope_guard.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/base_from_member.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/repeat_from_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/archive_constructed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/serialization.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/strong_typedef.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/operators.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/serialization_version.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/version.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/comparison.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/not_equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/not_equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/less_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/less_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/greater_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/greater_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/collection_size_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/split_free.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/serialization/is_bitwise_serializable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/mem_fun.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/hashed_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/call_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/call_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/foreach_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/limits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/bucket_array.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/hash_index_node.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/elem.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/hash_index_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/modify_key_adaptor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/promotes_arg.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/hashed_index_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/hash_index_args.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/hash.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/hash_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/detail/hash_float.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/detail/float_functions.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/no_tr1/cmath.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/detail/limits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/integer/static_log2.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/integer_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/cstdint.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash/extensions.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/container_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/ordered_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/ord_index_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/reverse_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/next_prior.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/bidir_node_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/ord_index_node.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/uintptr_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/ord_index_ops.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/unbounded.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/value_compare.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/bind.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mem_fn.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/mem_fn.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/get_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/no_tr1/memory.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/mem_fn_template.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/mem_fn_cc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/is_placeholder.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/arg.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/visit_each.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/is_same.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/storage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/bind_cc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/bind_mf_cc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/bind_mf2_cc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/bind/placeholders.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/duplicates_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/sequenced_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/seq_index_node.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/seq_index_ops.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/sequenced_index_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/random_access_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/rnd_node_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/rnd_index_node.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/integer/common_factor_rt.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/rnd_index_ops.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/rnd_index_ptr_array.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/random_access_index_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/rnd_index_loader.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/PrescaleSet.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/BunchGroupSet.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/BunchGroup.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/PrescaledClock.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/DeadTime.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/Random.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/CTPFiles.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/PrioritySet.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfL1Data/Muctpi.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTChainList.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTChain.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTPrescale.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered_map.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/unordered_map.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/unordered_map_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/functional/hash_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/equivalent.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/table.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/buckets.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/util.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/select_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/move.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/iterator_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/std_ns_begin.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/detail/std_ns_end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/algorithm.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/swap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/allocate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/dec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/pointer_to_other.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/extract_key.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/unordered/detail/unique.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTLevel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/composite_key.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/at.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/rest_n.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/multi_index/detail/cons_stdtuple.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTSequenceList.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTSequence.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/TriggerMenu.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/TriggerMenu_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/TriggerMenuContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/TriggerMenuContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/TrigDecisionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionInterface/ITrigDecisionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/TrigDecisionToolCore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/ChainGroupFunctions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/std_containers_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/std/string_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/yes_no_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/sequence_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/std/list_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/std/slist_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/trim.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/begin.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/range_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/mutable_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/extract_optional_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/msvc_has_iterator_workaround.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/const_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/implementation_help.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/common.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/sfinae.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/as_literal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/iterator_range.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/iterator_range_core.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/functions.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/size_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/difference_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/has_range_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/concepts.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept_check.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/assert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/detail/general.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/detail/backward_compatibility.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/detail/has_constraints.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/conversion_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/usage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/detail/concept_def.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/for_each_i.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/for.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/detail/for.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/seq.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/detail/is_empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/concept/detail/concept_undef.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/iterator_concepts.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/value_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/misc_concept.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/has_member_size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/binary.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/deduce_d.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/cat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/fold_left.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/seq/transform.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/mod.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/detail/div_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/comparison/less_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/logical/not.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/identity_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/checked_delete.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/checked_delete.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/distance.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/rbegin.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/reverse_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/rend.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/algorithm/equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/safe_bool.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/iterator_range_io.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/range/detail/str_types.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/trim.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/classification.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/classification.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/predicate_facade.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/case_conv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/case_conv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/predicate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/compare.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/find.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/finder.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/constants.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/finder.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/predicate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/split.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/iter_find.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/concept.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/find_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/find_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/detail/prologue.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/no_tr1/functional.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/function_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/sp_typeinfo.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/typeinfo.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/demangle.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/integer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/integer_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/composite_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/function_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/enum_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/detail/function_iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/detail/maybe_include.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/function/function_template.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/util.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/join.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/sequence.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/replace.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/find_format.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/find_format.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/find_format_store.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/replace_storage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/find_format_all.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/formatter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/detail/formatter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/algorithm/string/erase.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/ChainGroup.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/CacheGlobalMemory.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/foreach.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigConfHLTData/HLTStreamTag.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/Chain.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/Enums.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/IDecisionUnpacker.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/Logger.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/EventPtrDef.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/Conditions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/FeatureContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/Combination.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/Feature.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/shared_ptr.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/shared_ptr.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/shared_count.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/bad_weak_ptr.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_counted_base.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_has_sync.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_counted_base_gcc_x86.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_counted_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_disable_deprecated.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_convertible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/sp_nullptr_t.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/spinlock_pool.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/spinlock.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/spinlock_sync.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/yield_k.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/language.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/language/stdc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/version_number.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/make.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/test.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/language/stdcpp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/language/objc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/alpha.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/arm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/blackfin.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/convex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/ia64.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/m68k.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/mips.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/parisc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/ppc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/pyramid.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/rs6k.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/sparc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/superh.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/sys370.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/sys390.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/x86.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/x86/32.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/x86/64.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/architecture/z.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/borland.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/clang.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/comeau.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/compaq.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/diab.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/digitalmars.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/dignus.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/edg.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/ekopath.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/gcc_xml.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/gcc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/comp_detected.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/greenhills.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/hp_acc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/iar.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/ibm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/intel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/kai.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/llvm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/metaware.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/metrowerks.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/microtec.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/mpw.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/palm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/pgi.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/sgi_mipspro.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/sunpro.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/tendra.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/visualc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/compiler/watcom.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c/_prefix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/_cassert.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c/gnu.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c/uc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c/vms.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/c/zos.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/_prefix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/_exception.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/cxx.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/dinkumware.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/libcomo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/modena.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/msl.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/roguewave.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/sgi.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/stdcpp3.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/stlport.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/library/std/vacpp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/aix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/amigaos.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/android.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/beos.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/macos.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/ios.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd/bsdi.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd/dragonfly.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd/free.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd/open.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/bsd/net.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/cygwin.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/haiku.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/hpux.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/irix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/linux.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/os_detected.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/os400.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/qnxnto.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/solaris.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/unix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/vms.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/os/windows.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/other.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/other/endian.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform/mingw.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform/windows_desktop.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform/windows_store.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform/windows_phone.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/platform/windows_runtime.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/x86.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/x86/versions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/x86_amd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/x86_amd/versions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/arm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/arm/versions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/ppc.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/hardware/simd/ppc/versions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/version.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/smart_ptr/detail/operator_bool.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/bad_lexical_cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/try_lexical_convert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/is_character.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/converter_numeric.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/converter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/conversion_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/conversion_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/meta.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/int_float_mixture.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/int_float_mixture_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/sign_mixture.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/sign_mixture_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/udt_builtin_mixture.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/udt_builtin_mixture_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/is_subranged.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/multiplies.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/times.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/times.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/converter_policies.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/converter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/bounds.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/bounds.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/numeric_cast_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/numeric_cast_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/preprocessed/numeric_cast_traits_common.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/numeric/conversion/detail/preprocessed/numeric_cast_traits_long_long.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/converter_lexical.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/lcast_precision.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/widest_char.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/array.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/container/container_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/container/detail/std_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/converter_lexical_streams.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/lcast_char_constants.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/lcast_unsigned_converters.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/lexical_cast/detail/inf_nan.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/special_functions/sign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/tools/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/tools/user.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/fenv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/special_functions/math_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/special_functions/detail/round_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/tools/promotion.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/policies/policy.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/limits/list.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/list20.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/list10.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/list0.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/push_front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/item.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/pop_front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/push_back.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/clear.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/O1_size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/begin_end.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/include_preprocessed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/preprocessed/plain/list10.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/list/aux_/preprocessed/plain/list20.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/list.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/remove_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/no_tr1/complex.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/special_functions/detail/fp_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/endian.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/predef/detail/endian_compat.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/special_functions/fpclassify.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/tools/real_cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/basic_pointerbuf.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/TriggerElement.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/Types.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/variant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_index/stl_type_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_index/type_index_facade.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/variant_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/blank_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/enum_shifted_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/substitute_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/backup_holder.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/enable_recursive_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/forced_return.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/generic_result_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/initializer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/reference_content.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/recursive_wrapper_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/move.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/move/adl_move_swap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/make_variant_list.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/over_sequence.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/visitation_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/cast_storage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/hash_variant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/static_visitor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/apply_visitor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/apply_visitor_unary.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/apply_visitor_binary.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/apply_visitor_delayed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/has_result_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/aligned_storage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/blank.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/templated_streams.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math/common_factor_ct.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/math_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/front.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/front_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/max_element.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/size_t.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/size_t_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/sizeof.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/variant_io.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/recursive_variant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/enable_recursive.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/substitute.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessor/repeat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/recursive_wrapper.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/get.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/detail/element_index.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/visitor_ptr.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/variant/bad_visit.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/EmTauRoI.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/EmTauRoI_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/EmTauRoI_v2.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/EmTauRoIContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/EmTauRoIContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/EmTauRoIContainer_v2.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/MuonRoI.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/MuonRoI_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/MuonRoIContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/MuonRoIContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/JetRoI.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/JetRoI_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/JetRoI_v2.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/JetRoIContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/JetRoIContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/JetRoIContainer_v2.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/TypelessFeature.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/IParticle.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TLorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMath.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TError.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVector3.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVector2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrix.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixT.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixTBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/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/TrigNavStructure/TrigNavStructure.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/TriggerElementFactory.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/BaseHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/TrigHolderStructure.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/IParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/FeatureCollectStandalone.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/TDTUtilities.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigPassBits.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigPassBitsCollection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigRoiDescriptor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/RoiDescriptor/RoiDescriptor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/IRegionSelector/IRoiDescriptor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigRoiDescriptorCollection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigRoiConversion/RoiSerialise.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/RoiDescriptorStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTrigger/versions/RoiDescriptorStore_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/TypedHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigNavStructure/TypelessHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigPassFlags.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigSteeringEvent/TrigPassFlagsCollection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/ConfigurationAccess.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/DecisionAccess.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/TrigDecisionTool/ExpertMethods.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/JetCalibrationTool.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TEnv.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/Vertex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/Vertex_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/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/GeoPrimitives/GeoPrimitives.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Geometry /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackingPrimitives.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticle.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticleContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/ObjectType.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/VertexContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventShape/EventShape.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventShape/versions/EventShape_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/IJetCalibrationTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/IJetModifier.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/Jet.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/Jet_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTaggingContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagging.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagging_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTaggingEnums.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticle.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticleContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagVertexContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagVertex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagVertex_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagVertexContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTaggingContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetConstituentVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetTypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Vector4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Vector4Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PxPyPzE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/eta.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/etaMax.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/GenVector_exception.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PtEtaPhiE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Math.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PxPyPzM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PtEtaPhiM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/LorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/DisplacementVector3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/Cartesian3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/Polar3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PositionVector3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/GenVectorIO.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/BitReproducible.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/CoordinateSystemTags.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetAttributes.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetContainerInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/Jet_v1.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/JetAccessorMap_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVectorBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetAccessors.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/JetContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/IJetPseudojetRetriever.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/ISingleJetModifier.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/JetEventInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/JetCalibrationToolBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionTool.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSystem.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TInetAddress.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTimer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSysEvtHandler.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TList.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQObjectEmitVA.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQConnection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Varargs.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTime.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/JetCalibUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDirectoryFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDirectory.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDatime.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TUUID.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMap.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/THashTable.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TUrl.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTree.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TBranch.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDataType.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayD.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVirtualTreePlayer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObjString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH1D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayC.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayS.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Foption.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TFitResultPtr.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/JetPileupCorrection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/ResidualOffsetCorrection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAxis.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/NPVBeamspotCorrection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TROOT.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/TGraph.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/EtaJESCorrection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/GlobalSequentialCorrection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2F.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/InsituDataCorrection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetCalibTools/CalibrationMethods/JMSCorrection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/MuonSelectorTools/MuonSelectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATCore/IAsgSelectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATCore/TAccept.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/MuonSelectorTools/IMuonSelectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/Muon.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/Muon_v1.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/xAODCaloEvent/CaloClusterContainer.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/versions/CaloClusterContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/MuonSegmentContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/MuonSegment.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegment_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/MuonIdHelpers/MuonStationIndex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegmentContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegment_v1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH3.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAtt3D.h
D
var int ALchemy_1_permanent; var int ALchemy_2_permanent; var int ALchemy_3_permanent; func void Use_BookstandALCHEMY1_S1() { var C_Npc her; var int nDocID; her = Hlp_GetNpc(PC_Hero); if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(her)) { nDocID = Doc_Create(); Doc_SetPages(nDocID,2); Doc_SetPage(nDocID,0,"Book_Mage_L.tga",0); Doc_SetPage(nDocID,1,"Book_Mage_R.tga",0); Doc_SetFont(nDocID,-1,FONT_Book); Doc_SetMargins(nDocID,0,275,20,30,20,1); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Зелья магической силы"); Doc_PrintLine(nDocID,0,"и ингредиенты"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Эссенция маны"); Doc_PrintLine(nDocID,0,"2 огненные крапивы"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Экстракт маны"); Doc_PrintLine(nDocID,0,"2 огненные травы"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Эликсир маны"); Doc_PrintLine(nDocID,0,"2 огненных корня"); Doc_PrintLine(nDocID,0,""); Doc_SetMargins(nDocID,-1,30,20,275,20,1); Doc_PrintLine(nDocID,1,""); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Для работы на алхимическом столе необходима мензурка."); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Чтобы сварить любое лечебное зелье или зелье, усиливающее магическую силу, необходим особый ингредиент и растение:"); Doc_PrintLine(nDocID,1,"Луговой горец"); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Чтобы сварить зелье, оказывающее перманентное воздействие на тело или дух, необходимо определенное растение:"); Doc_PrintLines(nDocID,1,"Царский щавель"); Doc_Show(nDocID); if(ALchemy_1_permanent == FALSE) { B_GivePlayerXP(XP_Bookstand); ALchemy_1_permanent = TRUE; }; }; }; func void Use_BookstandALCHEMY2_S1() { var C_Npc her; var int nDocID; her = Hlp_GetNpc(PC_Hero); if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(her)) { nDocID = Doc_Create(); Doc_SetPages(nDocID,2); Doc_SetPage(nDocID,0,"Book_Mage_L.tga",0); Doc_SetPage(nDocID,1,"Book_Mage_R.tga",0); Doc_SetFont(nDocID,-1,FONT_Book); Doc_SetMargins(nDocID,0,275,20,30,20,1); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Лечебные зелья"); Doc_PrintLine(nDocID,0,"и ингредиенты"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Лечебная эссенция"); Doc_PrintLine(nDocID,0,"2 лечебные травы"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Лечебный экстракт"); Doc_PrintLine(nDocID,0,"2 лечебных растения"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Лечебный эликсир"); Doc_PrintLine(nDocID,0,"2 лечебных корня"); Doc_PrintLine(nDocID,0,""); Doc_SetMargins(nDocID,-1,30,20,275,20,1); Doc_PrintLine(nDocID,1,""); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Для работы на алхимическом столе необходима мензурка."); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Чтобы сварить любое лечебное зелье или зелье, усиливающее магическую силу, необходим особый ингредиент и растение:"); Doc_PrintLine(nDocID,1,"Луговой горец"); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Чтобы сварить зелье, имеющее перманентное действие на тело или дух, необходимо определенное растение:"); Doc_PrintLines(nDocID,1,"Царский щавель"); Doc_Show(nDocID); if(ALchemy_2_permanent == FALSE) { B_GivePlayerXP(XP_Bookstand); ALchemy_2_permanent = TRUE; }; }; }; func void Use_BookstandALCHEMY3_S1() { var C_Npc her; var int nDocID; her = Hlp_GetNpc(PC_Hero); if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(her)) { nDocID = Doc_Create(); Doc_SetPages(nDocID,2); Doc_SetPage(nDocID,0,"Book_Mage_L.tga",0); Doc_SetPage(nDocID,1,"Book_Mage_R.tga",0); Doc_SetFont(nDocID,-1,FONT_Book); Doc_SetMargins(nDocID,0,275,20,30,20,1); Doc_PrintLine(nDocID,0,""); Doc_PrintLines(nDocID,0,"Зелья, дающие перманентные изменения"); Doc_PrintLine(nDocID,0,"и ингредиенты"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Эликсир ловкости"); Doc_PrintLine(nDocID,0,"1 гоблинская ягода"); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Зелье скорости"); Doc_PrintLines(nDocID,0,"1 снеппер-трава - для этого зелья необходим не царский щавель, а луговой горец."); Doc_PrintLine(nDocID,0,""); Doc_PrintLine(nDocID,0,"Эликсир силы"); Doc_PrintLine(nDocID,0,"1 драконий корень"); Doc_PrintLine(nDocID,0,""); Doc_PrintLines(nDocID,0,"Эликсир жизни"); Doc_PrintLine(nDocID,0,"1 лечебный корень"); Doc_PrintLine(nDocID,0,""); Doc_PrintLines(nDocID,0,"Эликсир духа"); Doc_PrintLine(nDocID,0,"1 огненный корень"); Doc_SetMargins(nDocID,-1,30,20,275,20,1); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Применение этих рецептов - высшее алхимическое искусство. Все они требуют царского щавеля."); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"Зелье скорости варить значительно легче, частично потому, что для него не требуется царского щавеля."); Doc_PrintLine(nDocID,1,""); Doc_Show(nDocID); if(ALchemy_3_permanent == FALSE) { B_GivePlayerXP(XP_Bookstand); ALchemy_3_permanent = TRUE; }; }; };
D
// Copyright © 2011, Jakob Bornecrantz. All rights reserved. // See copyright notice in src/charge/charge.d (GPLv2 only). module charge.platform.homefolder; import std.c.stdlib; import std.file; import std.stdio; import std.string; char[] homeFolder; char[] applicationConfigFolder; char[] chargeConfigFolder; char[] privateFrameworksPath; extern(C) char* macGetPrivateFrameworksPath(); static this() { version(linux) { homeFolder = toString(getenv("HOME")); applicationConfigFolder = homeFolder ~ "/.config"; } else version(darwin) { // TODO Not tested homeFolder = toString(getenv("HOME")); applicationConfigFolder = homeFolder ~ "/Library/Application Support"; } else version(Windows) { // TODO Not tested homeFolder = toString(getenv("USERPROFILE")); applicationConfigFolder = toString(getenv("APPDATA")); } else { static assert(false); } chargeConfigFolder = applicationConfigFolder ~ "/charge"; version(darwin) { auto s = macGetPrivateFrameworksPath(); privateFrameworksPath = toString(s); } // Ensure that the config folder exists. try { if (!exists(chargeConfigFolder)) mkdir(chargeConfigFolder); } catch (Exception e) { // Can't do any logging since the logging module looks for the homeFolder. writefln("Could not create config folder (%s)", chargeConfigFolder); } } static ~this() { std.c.stdlib.free(privateFrameworksPath.ptr); }
D
# FIXED third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/tasks.c third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stdlib.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/_ti_config.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/linkage.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/cdefs.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/string.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/FreeRTOS.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stddef.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stdint.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/stdint.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/_types.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/machine/_types.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/machine/_stdint.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/_stdint.h third_party/FreeRTOS/Source/tasks.obj: C:/Users/AVE-LAP-44/workspace_v8/CAN_tocken/FreeRTOSConfig.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/projdefs.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/portable.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/deprecated_definitions.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/portable/CCS/ARM_CM4F/portmacro.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/mpu_wrappers.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/task.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/list.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/timers.h third_party/FreeRTOS/Source/tasks.obj: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/StackMacros.h C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/tasks.c: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stdlib.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/_ti_config.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/linkage.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/cdefs.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/string.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/FreeRTOS.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stddef.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/machine/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/machine/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.1.LTS/include/sys/_stdint.h: C:/Users/AVE-LAP-44/workspace_v8/CAN_tocken/FreeRTOSConfig.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/projdefs.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/portable.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/deprecated_definitions.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/portable/CCS/ARM_CM4F/portmacro.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/mpu_wrappers.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/task.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/list.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/timers.h: C:/ti/TivaWare_C_Series-2.1.4.178/third_party/FreeRTOS/Source/include/StackMacros.h:
D
/***************************************************************************** * * Higgs JavaScript Virtual Machine * * This file is part of the Higgs project. The project is distributed at: * https://github.com/maximecb/Higgs * * Copyright (c) 2012-2014, Maxime Chevalier-Boisvert. All rights reserved. * * This software is licensed under the following license (Modified BSD * License): * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. The name of the author may not be used to endorse or promote * products derived from this software without specific prior written * permission. * * THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED * WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN * NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT * NOT LIMITED TO PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. * *****************************************************************************/ module runtime.string; import core.stdc.string; import std.stdio; import std.stdint; import std.string; import std.conv; import runtime.vm; import runtime.layout; import runtime.gc; immutable uint32 STR_TBL_INIT_SIZE = 16384; immutable uint32 STR_TBL_MAX_LOAD_NUM = 3; immutable uint32 STR_TBL_MAX_LOAD_DEN = 5; /** Extract a D wchar string from a Higgs string object This copies the data into a newly allocated string. */ wstring extractWStr(refptr ptr) { assert ( obj_get_header(ptr) == LAYOUT_STR, "invalid string object in extractWStr, incorrect header" ); auto len = str_get_len(ptr); wchar[] wchars = new wchar[len]; for (uint32 i = 0; i < len; ++i) wchars[i] = str_get_data(ptr, i); return to!wstring(wchars); } /** Create a temporary D wchar string view of a Higgs string object The D string becomes invalid when the Higgs GC is triggered. This is less safe, but much faster than extractWStr */ wstring tempWStr(refptr ptr) { auto strData = ptr + str_ofs_data(ptr, 0); auto strLen = str_get_len(ptr); auto wcharPtr = cast(immutable wchar*)strData; auto dStr = wcharPtr[0..strLen]; return dStr; } /** Extract a D string from a string object */ string extractStr(refptr ptr) { return to!string(extractWStr(ptr)); } /** Assemble the string represented by a rope */ wstring ropeToWStr(refptr rope) { refptr rightStr = rope_get_right(rope); // If the string was already generated and cached if (rightStr is null) return extractWStr(rope_get_left(rope)); wstring output; refptr leftStr; // Until we are done traversing the ropes for (auto curRope = rope;;) { output = tempWStr(rightStr) ~ output; // Move to the next rope curRope = rope_get_left(curRope); // If this is the last string in the chain, stop if (refIsLayout(curRope, LAYOUT_STR)) { leftStr = curRope; break; } // Get the right-hand string for the current rope rightStr = rope_get_right(curRope); // If the rope was already converted to a string if (rightStr is null) { leftStr = rope_get_left(curRope); break; } } output = tempWStr(leftStr) ~ output; return output; } /** Extract a D string from a rope object */ string ropeToStr(refptr ptr) { return to!string(ropeToWStr(ptr)); } /** MurmurHash2, 64-bit version for 64-but platforms All hail Austin Appleby */ uint64_t murmurHash64A(const void* key, size_t len, uint64_t seed = 1337) { const uint64_t m = 0xc6a4a7935bd1e995; const int r = 47; uint64_t h = seed ^ (len * m); uint64_t* data = cast(uint64_t*)key; uint64_t* end = data + (len/8); while (data != end) { uint64_t k = *data++; k *= m; k ^= k >> r; k *= m; h ^= k; h *= m; } ubyte* tail = cast(ubyte*)data; switch (len & 7) { case 7: h ^= (cast(uint64_t)tail[6]) << 48; goto case; case 6: h ^= (cast(uint64_t)tail[5]) << 40; goto case; case 5: h ^= (cast(uint64_t)tail[4]) << 32; goto case; case 4: h ^= (cast(uint64_t)tail[3]) << 24; goto case; case 3: h ^= (cast(uint64_t)tail[2]) << 16; goto case; case 2: h ^= (cast(uint64_t)tail[1]) << 8; goto case; case 1: h ^= (cast(uint64_t)tail[0]); h *= m; goto default; default: }; h ^= h >> r; h *= m; h ^= h >> r; return h; } /** Compute the hash value for a given string object */ uint32 compStrHash(refptr str) { auto len = str_get_len(str) * uint16_t.sizeof; auto ptr = str + str_ofs_data(null, 0); uint32 hashCode = cast(uint32_t)murmurHash64A(ptr, len); // Store the hash code on the string object str_set_hash(str, hashCode); return hashCode; } /** Compare two string objects for equality by comparing their contents */ bool streq(refptr strA, refptr strB) { auto lenA = str_get_len(strA); auto lenB = str_get_len(strB); if (lenA != lenB) return false; auto ptrA = strA + str_ofs_data(strA, 0); auto ptrB = strB + str_ofs_data(strB, 0); return memcmp(ptrA, ptrB, uint16_t.sizeof * lenA) == 0; } /** Find a string in the string table if duplicate, or add it to the string table */ refptr getTableStr(VM vm, refptr str) { auto strTbl = vm.strTbl; // Get the size of the string table auto tblSize = strtbl_get_cap(strTbl); // Get the hash code from the string object auto hashCode = str_get_hash(str); // Get the hash table index for this hash value auto hashIndex = hashCode & (tblSize - 1); // Until the key is found, or a free slot is encountered while (true) { // Get the string value at this hash slot auto strVal = strtbl_get_str(strTbl, hashIndex); // If we have reached an empty slot if (strVal == null) { // Break out of the loop break; } // If this is the string we want if (streq(strVal, str) == true) { // Return a reference to the string we found in the table return strVal; } // Move to the next hash table slot hashIndex = (hashIndex + 1) & (tblSize - 1); } // // Hash table updating // // Set the corresponding key and value in the slot strtbl_set_str(strTbl, hashIndex, str); // Get the number of strings and increment it auto numStrings = strtbl_get_num_strs(strTbl); numStrings++; strtbl_set_num_strs(strTbl, numStrings); // Test if resizing of the string table is needed // numStrings > ratio * tblSize // numStrings > num/den * tblSize // numStrings * den > tblSize * num if (numStrings * STR_TBL_MAX_LOAD_DEN > tblSize * STR_TBL_MAX_LOAD_NUM) { // Store the string pointer in a GC root object auto strRoot = GCRoot(str, Tag.STRING); // Extend the string table extStrTable(vm, strTbl, tblSize, numStrings); // Restore the string pointer str = strRoot.ptr; } // Return a reference to the string object passed as argument return str; } /** Extend the string table's capacity */ void extStrTable(VM vm, refptr curTbl, uint32 curSize, uint32 numStrings) { // Compute the new table size auto newSize = 2 * curSize; //writefln("extending string table, old size: %s, new size: %s", curSize, newSize); //printInt(curSize); //printInt(newSize); // Allocate a new, larger hash table auto newTbl = strtbl_alloc(vm, newSize); // Set the number of strings stored strtbl_set_num_strs(newTbl, numStrings); // Initialize the string array for (uint32 i = 0; i < newSize; ++i) strtbl_set_str(newTbl, i, null); // For each entry in the current table for (uint32 curIdx = 0; curIdx < curSize; curIdx++) { // Get the value at this hash slot auto slotVal = strtbl_get_str(curTbl, curIdx); // If this slot is empty, skip it if (slotVal == null) continue; // Get the hash code for the value auto valHash = str_get_hash(slotVal); // Get the hash table index for this hash value in the new table auto startHashIndex = valHash & (newSize - 1); auto hashIndex = startHashIndex; // Until a free slot is encountered while (true) { // Get the value at this hash slot auto slotVal2 = strtbl_get_str(newTbl, hashIndex); // If we have reached an empty slot if (slotVal2 == null) { // Set the corresponding key and value in the slot strtbl_set_str(newTbl, hashIndex, slotVal); // Break out of the loop break; } // Move to the next hash table slot hashIndex = (hashIndex + 1) & (newSize - 1); // Ensure that a free slot was found for this key assert ( hashIndex != startHashIndex, "no free slots found in extended hash table" ); } } // Update the string table reference vm.strTbl = newTbl; } /** Get the interned string object for a given character string */ refptr getString(VM vm, wstring str) { auto objPtr = str_alloc(vm, cast(uint32)str.length); for (uint32 i = 0; i < str.length; ++i) str_set_data(objPtr, i, str[i]); // Compute the hash code for the string compStrHash(objPtr); // Find/add the string in the string table objPtr = getTableStr(vm, objPtr); return objPtr; }
D
/* TEST_OUTPUT: --- fail_compilation/fail11355.d(28): Error: struct `fail11355.A` is not copyable because it is annotated with `@disable` --- */ T move(T)(ref T source) { return T.init; // Dummy rvalue } struct A { ~this() {} @disable this(this); // Prevent copying } struct B { A a; alias a this; } void main() { B b; A a = move(b); }
D
module d.llvm.type; import d.llvm.codegen; import d.ir.symbol; import d.ir.type; import d.exception; import util.visitor; import llvm.c.core; import std.algorithm; import std.array; import std.string; // Conflict with Interface in object.di alias Interface = d.ir.symbol.Interface; final class TypeGen { private CodeGenPass pass; alias pass this; private LLVMTypeRef[TypeSymbol] typeSymbols; private LLVMValueRef[TypeSymbol] typeInfos; private LLVMValueRef[Class] vtbls; private LLVMTypeRef[Function] funCtxTypes; private Class classInfoClass; this(CodeGenPass pass) { this.pass = pass; } LLVMValueRef getTypeInfo(TypeSymbol s) { return typeInfos[s]; } LLVMTypeRef visit(Type t) { return t.getCanonical().accept(this); } LLVMTypeRef buildOpaque(Type t) { t = t.getCanonical(); switch(t.kind) with(TypeKind) { case Struct: return buildOpaque(t.dstruct); case Union: return buildOpaque(t.dunion); default: return t.accept(this); } } LLVMTypeRef visit(BuiltinType t) { final switch(t) with(BuiltinType) { case None : assert(0, "Not Implemented"); case Void : return LLVMVoidTypeInContext(llvmCtx); case Bool : return LLVMInt1TypeInContext(llvmCtx); case Char : case Ubyte : case Byte : return LLVMInt8TypeInContext(llvmCtx); case Wchar : case Ushort : case Short : return LLVMInt16TypeInContext(llvmCtx); case Dchar : case Uint : case Int : return LLVMInt32TypeInContext(llvmCtx); case Ulong : case Long : return LLVMInt64TypeInContext(llvmCtx); case Ucent : case Cent : return LLVMIntTypeInContext(llvmCtx, 128); case Float : return LLVMFloatTypeInContext(llvmCtx); case Double : return LLVMDoubleTypeInContext(llvmCtx); case Real : return LLVMX86FP80TypeInContext(llvmCtx); case Null : return LLVMPointerType(LLVMInt8TypeInContext(llvmCtx), 0); } } LLVMTypeRef visitPointerOf(Type t) { auto pointed = (t.kind != TypeKind.Builtin || t.builtin != BuiltinType.Void) ? buildOpaque(t) : LLVMInt8TypeInContext(llvmCtx); return LLVMPointerType(pointed, 0); } LLVMTypeRef visitSliceOf(Type t) { LLVMTypeRef[2] types; types[0] = LLVMInt64TypeInContext(llvmCtx); types[1] = visitPointerOf(t); return LLVMStructTypeInContext(llvmCtx, types.ptr, 2, false); } LLVMTypeRef visitArrayOf(uint size, Type t) { return LLVMArrayType(visit(t), size); } auto buildOpaque(Struct s) { if (auto st = s in typeSymbols) { return *st; } return typeSymbols[s] = LLVMStructCreateNamed(llvmCtx, cast(char*) s.mangle.toStringz()); } LLVMTypeRef visit(Struct s) in { assert(s.step >= Step.Signed); } body { // FIXME: Ensure we don't have forward references. LLVMTypeRef llvmStruct = buildOpaque(s); if (!LLVMIsOpaqueStruct(llvmStruct)) { return llvmStruct; } LLVMTypeRef[] types; foreach(member; s.members) { if (auto f = cast(Field) member) { types ~= visit(f.type); } } LLVMStructSetBody(llvmStruct, types.ptr, cast(uint) types.length, false); return llvmStruct; } auto buildOpaque(Union u) { if (auto ut = u in typeSymbols) { return *ut; } return typeSymbols[u] = LLVMStructCreateNamed(llvmCtx, cast(char*) u.mangle.toStringz()); } LLVMTypeRef visit(Union u) in { assert(u.step >= Step.Signed); } body { // FIXME: Ensure we don't have forward references. LLVMTypeRef llvmStruct = buildOpaque(u); if (!LLVMIsOpaqueStruct(llvmStruct)) { return llvmStruct; } auto hasContext = u.hasContext; auto members = u.members; assert(!hasContext, "Voldemort union not supported atm"); LLVMTypeRef[3] types; uint elementCount = 1 + hasContext; uint firstindex, size, dalign; foreach(i, m; members) { if (auto f = cast(Field) m) { types[hasContext] = visit(f.type); import llvm.c.target; size = cast(uint) LLVMStoreSizeOfType(targetData, types[hasContext]); dalign = cast(uint) LLVMABIAlignmentOfType(targetData, types[hasContext]); firstindex = cast(uint) (i + 1); break; } } uint extra; foreach(m; members[firstindex .. $]) { if (auto f = cast(Field) m) { auto t = visit(f.type); import llvm.c.target; auto s = cast(uint) LLVMStoreSizeOfType(targetData, t); auto a = cast(uint) LLVMABIAlignmentOfType(targetData, t); extra = ((size + extra) < s) ? s - size : extra; dalign = (a > dalign) ? a : dalign; } } if (extra > 0) { elementCount++; types[1] = LLVMArrayType(LLVMInt8TypeInContext(llvmCtx), extra); } LLVMStructSetBody(llvmStruct, types.ptr, elementCount, false); import llvm.c.target; assert( LLVMABIAlignmentOfType(targetData, llvmStruct) == dalign, "union with differing alignement are not supported." ); return llvmStruct; } LLVMTypeRef visit(Class c) { // Ensure classInfo is built first. if(!classInfoClass) { classInfoClass = pass.object.getClassInfo(); if(c !is classInfoClass) { visit(classInfoClass); } } if (auto ct = c in typeSymbols) { return *ct; } auto llvmStruct = LLVMStructCreateNamed(llvmCtx, cast(char*) c.mangle.toStringz()); auto structPtr = typeSymbols[c] = LLVMPointerType(llvmStruct, 0); auto classInfoStruct = LLVMGetElementType(visit(classInfoClass)); auto classInfo = LLVMAddGlobal(dmodule, classInfoStruct, cast(char*) (c.mangle ~ "__ClassInfo").toStringz()); LLVMSetGlobalConstant(classInfo, true); LLVMSetLinkage(classInfo, LLVMLinkage.LinkOnceODR); typeInfos[c] = classInfo; auto vtbl = [classInfo]; LLVMValueRef[] fields = [null]; foreach(member; c.members) { if (auto m = cast(Method) member) { auto oldBody = m.fbody; scope(exit) m.fbody = oldBody; m.fbody = null; vtbl ~= pass.visit(m); } else if(auto f = cast(Field) member) { if(f.index > 0) { import d.llvm.expression; fields ~= ExpressionGen(pass).visit(f.value); } } } auto vtblTypes = vtbl.map!(m => LLVMTypeOf(m)).array(); auto vtblStruct = LLVMStructCreateNamed(llvmCtx, cast(char*) (c.mangle ~ "__vtbl").toStringz()); LLVMStructSetBody(vtblStruct, vtblTypes.ptr, cast(uint) vtblTypes.length, false); auto vtblPtr = LLVMAddGlobal(dmodule, vtblStruct, (c.mangle ~ "__vtblZ").toStringz()); LLVMSetInitializer(vtblPtr, LLVMConstNamedStruct(vtblStruct, vtbl.ptr, cast(uint) vtbl.length)); LLVMSetGlobalConstant(vtblPtr, true); LLVMSetLinkage(vtblPtr, LLVMLinkage.LinkOnceODR); // Set vtbl. vtbls[c] = fields[0] = vtblPtr; auto initTypes = fields.map!(f => LLVMTypeOf(f)).array(); LLVMStructSetBody(llvmStruct, initTypes.ptr, cast(uint) initTypes.length, false); // Doing it at the end to avoid infinite recursion when generating object.ClassInfo auto base = c.base; visit(base); LLVMValueRef[2] classInfoData = [getVtbl(classInfoClass), getTypeInfo(base)]; LLVMSetInitializer(classInfo, LLVMConstNamedStruct(classInfoStruct, classInfoData.ptr, 2)); return structPtr; } LLVMValueRef getVtbl(Class c) { return vtbls[c]; } LLVMTypeRef visit(Enum e) { if (auto et = e in typeSymbols) { return *et; } return typeSymbols[e] = visit(e.type); } LLVMTypeRef visit(TypeAlias a) { assert(0, "Use getCanonical"); } LLVMTypeRef visit(Interface i) { assert(0, "codegen for interface is not implemented."); } LLVMTypeRef visit(Function f) { return funCtxTypes.get(f, { return funCtxTypes[f] = LLVMStructCreateNamed(pass.llvmCtx, ("S" ~ f.mangle[2 .. $] ~ ".ctx").toStringz()); }()); } private auto buildParamType(ParamType pt) { auto t = visit(pt.getType()); if (pt.isRef) { t = LLVMPointerType(t, 0); } return t; } LLVMTypeRef visit(FunctionType f) { auto params = f.getDelegate(0).parameters.map!(p => buildParamType(p)).array(); auto fun = LLVMPointerType(LLVMFunctionType(buildParamType(f.returnType), params.ptr, cast(uint) params.length, f.isVariadic), 0); auto contexts = f.contexts; if (contexts.length == 0) { return fun; } assert(contexts.length == 1, "Multiple contexts not implemented."); LLVMTypeRef[2] types; types[0] = fun; types[1] = params[0]; return LLVMStructTypeInContext(llvmCtx, types.ptr, 2, false); } LLVMTypeRef visit(Type[] seq) { auto types = seq.map!(t => visit(t)).array(); return LLVMStructTypeInContext(llvmCtx, types.ptr, cast(uint) types.length, false); } LLVMTypeRef visit(TypeTemplateParameter p) { assert(0, "Template type can't be generated."); } }
D
// Copyright 2018 - 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.sdl.bind.sdlloadso; import bindbc.sdl.config; static if(staticBinding){ extern(C) @nogc nothrow { void* SDL_LoadObject(const(char)* sofile); void* SDL_LoadFunction(void* handle,const(char*) name); void SDL_UnloadObject(void* handle); } } else { extern(C) @nogc nothrow { alias pSDL_LoadObject = void* function(const(char)* sofile); alias pSDL_LoadFunction = void* function(void* handle,const(char*) name); alias pSDL_UnloadObject = void function(void* handle); } __gshared { pSDL_LoadObject SDL_LoadObject; pSDL_LoadFunction SDL_LoadFunction; pSDL_UnloadObject SDL_UnloadObject; } }
D
/Users/okasho/serverProject/tryswift/helloworld/swift/.build/debug/SocksCore.build/Bytes.swift.o : /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address+C.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Bytes.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Conversions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Error.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/FDSet.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/InternetSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Pipe.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Select.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Socket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions+Deprecated.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/TCPSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Types.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/UDPSocket.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/okasho/serverProject/tryswift/helloworld/swift/.build/debug/SocksCore.build/Bytes~partial.swiftmodule : /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address+C.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Bytes.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Conversions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Error.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/FDSet.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/InternetSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Pipe.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Select.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Socket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions+Deprecated.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/TCPSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Types.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/UDPSocket.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/okasho/serverProject/tryswift/helloworld/swift/.build/debug/SocksCore.build/Bytes~partial.swiftdoc : /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address+C.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Address.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Bytes.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Conversions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Error.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/FDSet.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/InternetSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Pipe.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Select.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Socket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions+Deprecated.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/SocketOptions.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/TCPSocket.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/Types.swift /Users/okasho/serverProject/tryswift/helloworld/swift/Packages/Socks-1.2.7/Sources/SocksCore/UDPSocket.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule
D
/** * This contains regression tests for the issues at: * https://github.com/rejectedsoftware/mysql-native/issues * * Regression unittests, like other unittests, are located together with * the units they test. */ module mysql.test.regression; import std.algorithm; import std.conv; import std.datetime; import std.digest.sha; import std.exception; import std.range; import std.socket; import std.stdio; import std.string; import std.traits; import std.variant; import mysql.common; import mysql.connection; import mysql.result; import mysql.test.common; // Issue #40: Decoding LCB value for large feilds // And likely Issue #18: select varchar - thinks the package is incomplete while it's actually complete debug(MYSQL_INTEGRATION_TESTS) unittest { mixin(scopedCn); auto cmd = Command(cn); ulong rowsAffected; cmd.sql = "DROP TABLE IF EXISTS `issue40`"; cmd.execSQL(rowsAffected); cmd.sql = "CREATE TABLE `issue40` ( `str` varchar(255) ) ENGINE=InnoDB DEFAULT CHARSET=utf8"; cmd.execSQL(rowsAffected); auto longString = repeat('a').take(251).array().idup; cmd.sql = "INSERT INTO `issue40` VALUES('"~longString~"')"; cmd.execSQL(rowsAffected); cmd.sql = "SELECT * FROM `issue40`"; cmd.execSQLResult(); cmd.sql = "DELETE FROM `issue40`"; cmd.execSQL(rowsAffected); longString = repeat('a').take(255).array().idup; cmd.sql = "INSERT INTO `issue40` VALUES('"~longString~"')"; cmd.execSQL(rowsAffected); cmd.sql = "SELECT * FROM `issue40`"; cmd.execSQLResult(); } // Issue #24: Driver doesn't like BIT debug(MYSQL_INTEGRATION_TESTS) unittest { mixin(scopedCn); auto cmd = Command(cn); ulong rowsAffected; cmd.sql = "DROP TABLE IF EXISTS `issue24`"; cmd.execSQL(rowsAffected); cmd.sql = "CREATE TABLE `issue24` ( `bit` BIT, `date` DATE ) ENGINE=InnoDB DEFAULT CHARSET=utf8"; cmd.execSQL(rowsAffected); cmd.sql = "INSERT INTO `issue24` (`bit`, `date`) VALUES (1, '1970-01-01')"; cmd.execSQL(rowsAffected); cmd.sql = "INSERT INTO `issue24` (`bit`, `date`) VALUES (0, '1950-04-24')"; cmd.execSQL(rowsAffected); cmd = Command(cn, "SELECT `bit`, `date` FROM `issue24` ORDER BY `date` DESC"); cmd.prepare(); auto results = cmd.execPreparedResult(); assert(results.length == 2); assert(results[0][0] == true); assert(results[0][1] == Date(1970, 1, 1)); assert(results[1][0] == false); assert(results[1][1] == Date(1950, 4, 24)); } // Issue #33: TINYTEXT, TEXT, MEDIUMTEXT, LONGTEXT types treated as ubyte[] debug(MYSQL_INTEGRATION_TESTS) unittest { mixin(scopedCn); auto cmd = Command(cn); ulong rowsAffected; cmd.sql = "DROP TABLE IF EXISTS `issue33`"; cmd.execSQL(rowsAffected); cmd.sql = "CREATE TABLE `issue33` ( `text` TEXT, `blob` BLOB ) ENGINE=InnoDB DEFAULT CHARSET=utf8"; cmd.execSQL(rowsAffected); cmd.sql = "INSERT INTO `issue33` (`text`, `blob`) VALUES ('hello', 'world')"; cmd.execSQL(rowsAffected); cmd = Command(cn, "SELECT `text`, `blob` FROM `issue33`"); cmd.prepare(); auto results = cmd.execPreparedResult(); assert(results.length == 1); auto pText = results[0][0].peek!string(); auto pBlob = results[0][1].peek!(ubyte[])(); assert(pText); assert(pBlob); assert(*pText == "hello"); assert(*pBlob == cast(ubyte[])"world".dup); } // Issue #39: Unsupported SQL type NEWDECIMAL debug(MYSQL_INTEGRATION_TESTS) unittest { mixin(scopedCn); auto cmd = Command(cn); cmd.sql = "SELECT SUM(123.456)"; auto rows = cmd.execSQLResult(); assert(rows.length == 1); assert(rows[0][0] == 123.456); } // Issue #56: Result set quantity does not equal MySQL rows quantity debug(MYSQL_INTEGRATION_TESTS) unittest { mixin(scopedCn); auto cmd = Command(cn); ulong rowsAffected; cmd.sql = "DROP TABLE IF EXISTS `issue56`"; cmd.execSQL(rowsAffected); cmd.sql = "CREATE TABLE `issue56` (a datetime DEFAULT NULL) ENGINE=InnoDB DEFAULT CHARSET=utf8"; cmd.execSQL(rowsAffected); cmd.sql = "INSERT INTO `issue56` VALUES ('2015-03-28 00:00:00') ,('2015-03-29 00:00:00') ,('2015-03-31 00:00:00') ,('2015-03-31 00:00:00') ,('2015-03-31 00:00:00') ,('2015-03-31 00:00:00') ,('2015-04-01 00:00:00') ,('2015-04-02 00:00:00') ,('2015-04-03 00:00:00') ,('2015-04-04 00:00:00')"; cmd.execSQL(rowsAffected); cmd = Command(cn); cmd.sql = "SELECT a FROM `issue56`"; cmd.prepare(); auto res = cmd.execPreparedResult(); assert(res.length == 10); } // Issue #66: Can't connect when omitting default database debug(MYSQL_INTEGRATION_TESTS) unittest { auto a = Connection.parseConnectionString(testConnectionStr); { // Sanity check: auto cn = new Connection(a[0], a[1], a[2], a[3], to!ushort(a[4])); scope(exit) cn.close(); } { // Ensure it works without a default database auto cn = new Connection(a[0], a[1], a[2], "", to!ushort(a[4])); scope(exit) cn.close(); } }
D
instance Org_804_Organisator_Exit(C_Info) { npc = ORG_804_Organisator; nr = 999; condition = Org_804_Organisator_Exit_Condition; information = Org_804_Organisator_Exit_Info; permanent = 1; description = DIALOG_ENDE; }; func int Org_804_Organisator_Exit_Condition() { if(Npc_KnowsInfo(hero,Org_804_Organisator_ToLares)) { return 1; }; }; func void Org_804_Organisator_Exit_Info() { AI_StopProcessInfos(self); }; instance Org_804_Organisator_Greet(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Org_804_Organisator_Greet_Condition; information = Org_804_Organisator_Greet_Info; permanent = 0; important = 1; }; func int Org_804_Organisator_Greet_Condition() { if(Npc_GetDistToNpc(self,hero) < ZivilAnquatschDist) { return 1; }; }; func void Org_804_Organisator_Greet_Info() { AI_Output(self,other,"Org_804_Organisator_Greet_06_00"); //А ты куда собрался? }; instance Org_804_Organisator_WayTo(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Org_804_Organisator_WayTo_Condition; information = Org_804_Organisator_WayTo_Info; permanent = 0; description = "А куда еще здесь можно идти?"; }; func int Org_804_Organisator_WayTo_Condition() { return 1; }; func void Org_804_Organisator_WayTo_Info() { var C_Npc Lares; AI_Output(other,self,"Org_804_Organisator_WayTo_15_00"); //А куда еще здесь можно идти? AI_Output(self,other,"Org_804_Organisator_WayTo_06_01"); //К Ларсу. Lares = Hlp_GetNpc(Org_801_Lares); Lares.aivar[AIV_FINDABLE] = TRUE; }; instance Org_804_Organisator_ToLares(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Org_804_Organisator_ToLares_Condition; information = Org_804_Organisator_ToLares_Info; permanent = 0; description = "Мне нужно к Ларсу."; }; func int Org_804_Organisator_ToLares_Condition() { if(Npc_KnowsInfo(hero,Org_804_Organisator_WayTo)) { return 1; }; }; func void Org_804_Organisator_ToLares_Info() { AI_Output(other,self,"Org_804_Organisator_ToLares_15_00"); //Мне нужно к Ларсу. AI_Output(self,other,"Org_804_Organisator_ToLares_06_01"); //Мне кажется, он не захочет с тобой разговаривать. AI_Output(other,self,"Org_804_Organisator_ToLares_15_02"); //Я сам с этим разберусь. AI_Output(self,other,"Org_804_Organisator_ToLares_06_03"); //Ну, не буду тебя задерживать. AI_StopProcessInfos(self); }; instance Org_804_Organisator_PERM(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Org_804_Organisator_PERM_Condition; information = Org_804_Organisator_PERM_Info; permanent = 1; description = "Могу я увидеть Ларса?"; }; func int Org_804_Organisator_PERM_Condition() { if(Npc_KnowsInfo(hero,Org_804_Organisator_ToLares)) { return 1; }; }; func void Org_804_Organisator_PERM_Info() { AI_Output(other,self,"Org_804_Organisator_PERM_15_00"); //Могу я увидеть Ларса? AI_Output(self,other,"Org_804_Organisator_PERM_06_01"); //Спроси об этом у Роско. AI_StopProcessInfos(self); }; const string Org_804_CHECKPOINT = "NC_HUT23_OUT"; instance Info_Org_804_FirstWarn(C_Info) { npc = ORG_804_Organisator; nr = 2; condition = Info_Org_804_FirstWarn_Condition; information = Info_Org_804_FirstWarn_Info; permanent = 1; important = 1; }; func int Info_Org_804_FirstWarn_Condition() { if(((other.guild == GIL_GRD) || (other.guild == GIL_STT)) && (Npc_GetAttitude(self,hero) != ATT_FRIENDLY) && Hlp_StrCmp(Npc_GetNearestWP(self),self.wp)) { return TRUE; }; }; func void Info_Org_804_FirstWarn_Info() { PrintGlobals(PD_MISSION); AI_Output(self,hero,"Info_Org_804_FirstWarn_Info_06_00"); //Прислужникам Гомеза вход воспрещен! Уходи! hero.aivar[AIV_LASTDISTTOWP] = Npc_GetDistToWP(hero,Org_804_CHECKPOINT); hero.aivar[AIV_GUARDPASSAGE_STATUS] = AIV_GPS_FIRSTWARN; AI_StopProcessInfos(self); }; instance Info_Org_804_LastWarn(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Info_Org_804_LastWarn_Condition; information = Info_Org_804_LastWarn_Info; permanent = 1; important = 1; }; func int Info_Org_804_LastWarn_Condition() { if((hero.aivar[AIV_GUARDPASSAGE_STATUS] == AIV_GPS_FIRSTWARN) && ((other.guild == GIL_GRD) || (other.guild == GIL_STT)) && (Npc_GetAttitude(self,hero) != ATT_FRIENDLY) && (Npc_GetDistToWP(hero,Org_804_CHECKPOINT) < (hero.aivar[AIV_LASTDISTTOWP] - 100)) && Hlp_StrCmp(Npc_GetNearestWP(self),self.wp)) { return TRUE; }; }; func int Info_Org_804_LastWarn_Info() { AI_Output(self,hero,"Info_Org_804_LastWarn_06_00"); //Убирайся, пока цел! hero.aivar[AIV_LASTDISTTOWP] = Npc_GetDistToWP(hero,Org_804_CHECKPOINT); hero.aivar[AIV_GUARDPASSAGE_STATUS] = AIV_GPS_LASTWARN; AI_StopProcessInfos(self); }; instance Info_Org_804_Attack(C_Info) { npc = ORG_804_Organisator; nr = 1; condition = Info_Org_804_Attack_Condition; information = Info_Org_804_Attack_Info; permanent = 1; important = 1; }; func int Info_Org_804_Attack_Condition() { if((hero.aivar[AIV_GUARDPASSAGE_STATUS] == AIV_GPS_LASTWARN) && ((other.guild == GIL_GRD) || (other.guild == GIL_STT)) && (Npc_GetAttitude(self,hero) != ATT_FRIENDLY) && (Npc_GetDistToWP(hero,Org_804_CHECKPOINT) < (hero.aivar[AIV_LASTDISTTOWP] - 100)) && Hlp_StrCmp(Npc_GetNearestWP(self),self.wp)) { return TRUE; }; }; func int Info_Org_804_Attack_Info() { hero.aivar[AIV_LASTDISTTOWP] = 0; hero.aivar[AIV_GUARDPASSAGE_STATUS] = AIV_GPS_PUNISH; B_FullStop(self); AI_StopProcessInfos(self); B_IntruderAlert(self,other); B_SetAttackReason(self,AIV_AR_INTRUDER); Npc_SetTarget(self,hero); AI_StartState(self,ZS_Attack,1,""); };
D
/afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/CxAODTools/obj/EventInfoDecorator.o /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/CxAODTools/obj/EventInfoDecorator.d : /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/CxAODTools/Root/EventInfoDecorator.cxx /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/CxAODTools/CxAODTools/EventInfoDecorator.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/CxAODTools/CxAODTools/ObjectDecorator.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/CxAODTools/CxAODTools/EnumHasher.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxElement.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IAuxElement.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IConstAuxStore.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/AuxTypes.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/CxxUtils/unordered_set.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/CxxUtils/hashtable.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/remove_const.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/is_volatile.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/user.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/select_compiler_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/compiler/gcc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/select_stdlib_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/no_tr1/utility.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/stdlib/libstdcpp3.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/select_platform_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/platform/linux.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/posix_features.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/config/suffix.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/detail/workaround.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/cv_traits_impl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/bool_trait_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/template_arity_spec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/int.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/int_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/adl_barrier.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/adl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/msvc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/intel.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/gcc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/workaround.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/nttp_decl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/nttp.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/integral_wrapper.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/integral_c_tag.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/static_constant.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/static_cast.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/cat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/config/config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/template_arity_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/preprocessor/params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/preprocessor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/comma_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/punctuation/comma_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/control/if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/control/iif.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/logical/bool.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/facilities/empty.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/punctuation/comma.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/repeat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/repetition/repeat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/debug/error.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/detail/auto_rec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/tuple/eat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/inc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/preprocessor/arithmetic/inc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/lambda.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/ttp.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/ctps.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/config/overload_resolution.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/integral_constant.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/bool.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/bool_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/integral_c.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/integral_c_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/mpl/aux_/lambda_support.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/bool_trait_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/broken_compiler_spec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/type_trait_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/boost/type_traits/detail/type_trait_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IAuxStore.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthLinks/DataLink.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthLinks/DataLinkBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthLinks/tools/selection_ns.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/Reflex/Builder/DictSelection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/Reflex/Kernel.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthLinks/DataLink.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/TError.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/RConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/DllImport.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/Rtypeinfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/snprintf.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/strlcpy.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/TGenericClassInfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/5.34.24-x86_64-slc6-gcc48-opt/include/TSchemaHelper.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/xAODRootAccessInterfaces/TActiveEvent.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxTypeRegistry.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVectorFactory.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/AuxTypeVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/IAuxSetOption.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/AuxDataTraits.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/PackedContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/PackedParameters.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/PackedParameters.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/CxxUtils/override.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/PackedContainer.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/AuxTypeVector.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/threading.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/threading.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxTypeRegistry.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxVectorData.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/likely.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/tools/assume.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxVectorData.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/exceptions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/CxxUtils/noreturn.h /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/RootCoreBin/include/AthContainers/AuxElement.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODframework/CxAODTools/CxAODTools/ObjectDecorator.icc
D
/* Copyright (c) 2017-2018 Timur Gafarov Boost Software License - Version 1.0 - August 17th, 2003 Permission is hereby granted, free of charge, to any person or organization obtaining a copy of the software and accompanying documentation covered by this license (the "Software") to use, reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative works of the Software, and to permit third-parties to whom the Software is furnished to do so, all subject to the following: The copyright notices in the Software and this entire statement, including the above license grant, this restriction and the following disclaimer, must be included in all copies of the Software, in whole or in part, and all derivative works of the Software, unless such copies or derivative works are solely in the form of machine-executable object code generated by a source language processor. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ module dagon.graphics.light; import std.stdio; import std.math; import std.conv; import std.random; import dlib.core.memory; import dlib.math.vector; import dlib.container.array; import dlib.image.color; import dagon.core.libs; import dagon.core.ownership; import dagon.graphics.view; import dagon.graphics.rc; import dagon.logics.entity; import dagon.logics.behaviour; class LightSource { Vector3f position; Vector3f color; float radius; // max light attenuation radius float areaRadius; // light's own radius float energy; this(Vector3f pos, Vector3f col, float attRadius, float areaRadius, float energy) { this.position = pos; this.color = col; this.radius = attRadius; this.areaRadius = areaRadius; this.energy = energy; } } class LightManager: Owner { DynamicArray!LightSource lightSources; this(Owner o) { super(o); } ~this() { foreach(light; lightSources) Delete(light); lightSources.free(); } LightSource addLight(Vector3f position, Color4f color, float energy, float radius, float areaRadius = 0.0f) { lightSources.append(New!LightSource(position, color.rgb, radius, areaRadius, energy)); return lightSources.data[$-1]; } } // Attach a light to Entity class LightBehaviour: Behaviour { LightSource light; this(Entity e, LightSource light) { super(e); this.light = light; } override void update(double dt) { light.position = entity.position; } }
D
/* * lua.d * * This module implements a helper class and routines to allow * utilization of the Lua scripting language in a D application. * * Author: Dave Wilkinson * Originated: May 15, 2009 * */ module scripting.lua; // import bindings import binding.lua; // common import djehuty; // print import io.console; // A Helper class class LuaScript { alias lua_CFunction Callback; this() { initialize(); } ~this() { uninitialize(); } void initialize() { uninitialize(); L = luaL_newstate(); luaL_openlibs(L); } void uninitialize() { if (L !is null) { lua_close(L); L = null; } } void eval(string code) { } // Description: This function will map a function of the type int(LuaBindings.lua_State) to be called whenever the function specified by the second parameter is called within a Lua script. // func: The callback function to execute. // functionName: The name of the function within the Lua script to map. void registerFunction(Callback func, string functionName) { char[] funcStr = functionName ~ "\0"; //lua_pushcfunction(L, func); //lua_setglobal(L, funcStr.ptr); } // Description: This function will evaluate the Lua script located at the path provided. // filename: A Lua script to evaluate. void evalFile(string filename) { char[] chrs = filename ~ "\0"; int s = luaL_loadfile(L, chrs.ptr); if (s == 0) { // execute Lua program s = lua_pcall(L, 0, LUA_MULTRET, 0); } if (s > 0) { // errors! string error = luaToString(-1); Console.forecolor = Color.Red; Console.putln(error); Console.forecolor = Color.White; lua_settop(L, 0); // remove error message } } protected: lua_State* L; string luaToString(int numArg) { char* str = lua_tostring(L, numArg); int len; char* ptr = str; while (*ptr != '\0') { ptr++; len++; } char[] DStr = str[0..len]; return DStr; } }
D
#!/usr/bin/env rdmd /* * Footer generator for the specification pages. * This script can be used to update the nav footers. * * Copyright (C) 2017 by D Language Foundation * * Author: Sebastian Wilzbach * * 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) */ // Written in the D programming language. void main() { import std.algorithm, std.array, std.ascii, std.conv, std.file, std.path, std.range, std.string, std.typecons; import std.stdio : File, writeln, writefln; auto specDir = __FILE_FULL_PATH__.dirName.buildNormalizedPath; auto mainFile = specDir.buildPath("./spec.ddoc"); enum ddocKey = "$(SPEC_SUBNAV_"; alias Entry = Tuple!(string, "name", string, "title"); Entry[] entries; // parse the menu from the Ddoc file auto specText = mainFile.readText; if (!specText.findSkip("SUBMENU2")) writeln("Menu file has an invalid format."); foreach (line; specText.splitter("\n")) { enum ddocEntryStart = "$(ROOT_DIR)spec/"; if (line.canFind(ddocEntryStart)) { auto ps = line.splitter(ddocEntryStart).dropOne.front.splitter(","); entries ~= Entry(ps.front.stripExtension.withExtension(".dd").to!string, ps.dropOne.front.idup.strip); } } foreach (i, entry; entries) { // build the prev|next Ddoc string string navString = ddocKey; if (i == 0) navString ~= text("NEXT ", entries[i + 1].name.stripExtension, ", ", entries[i + 1].title); else if (i < entries.length - 1) navString ~= text("PREV_NEXT ", entries[i - 1].name.stripExtension, ", ", entries[i - 1].title, ", ", entries[i + 1].name.stripExtension, ", ", entries[i + 1].title); else navString ~= text("PREV ", entries[i - 1].name.stripExtension, ", ", entries[i - 1].title); navString ~= ")"; writefln("%s: %s", entry.name, navString); auto fileName = specDir.buildPath(entry.name); auto text = fileName.readText; // idempotency - check for existing tags, otherwise insert new auto pos = text.representation.countUntil(ddocKey); if (pos > 0) { auto len = text[pos .. $].representation.countUntil(")"); text = text.replace(text[pos .. pos + len + 1], navString); } else { // insert at the end of the ddoc page auto v = text[0 .. $ - text.retro.countUntil((newline ~ "Macros:").retro)]; pos = v.length - v.retro.countUntil(")"); text.insertInPlace(pos - 1, navString ~ "\n"); } fileName.write(text); } }
D
/Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Vapor.build/Content/ContentContainer.swift.o : /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/FileIO.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/FormDataCoder+HTTP.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionData.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Thread.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/URLEncoded.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Deprecated.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/ServeCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/RoutesCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/BootCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Method.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionCache.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ResponseCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/RequestCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/CORSMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/FileMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/DateMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/ErrorMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+LazyMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Response.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/AnyResponse.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/MiddlewareConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServerConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/HTTPMethod+String.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Path.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/JSONCoder+Custom.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Request+Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Application.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Function.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/VaporProvider.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Responder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/BasicResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ApplicationResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/PlaintextEncoder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/HTTPMessageContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/ParametersContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/QueryContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/EngineRouter.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/Server.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/RunningServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Error.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Logging/Logger+LogError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Sessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/KeyedCacheSessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/MemorySessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentCoders.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/HTTPStatus.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Redirect.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/SingleValueGet.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Config+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/CommandConfig+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Services+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/Client.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/FoundationClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/Request.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Vapor+View.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl.git-1370587408992578247/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl-support.git--2359138821295600615/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/crypto.git-7980259129511365902/Sources/libbcrypt/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Vapor.build/ContentContainer~partial.swiftmodule : /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/FileIO.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/FormDataCoder+HTTP.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionData.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Thread.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/URLEncoded.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Deprecated.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/ServeCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/RoutesCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/BootCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Method.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionCache.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ResponseCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/RequestCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/CORSMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/FileMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/DateMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/ErrorMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+LazyMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Response.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/AnyResponse.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/MiddlewareConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServerConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/HTTPMethod+String.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Path.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/JSONCoder+Custom.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Request+Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Application.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Function.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/VaporProvider.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Responder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/BasicResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ApplicationResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/PlaintextEncoder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/HTTPMessageContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/ParametersContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/QueryContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/EngineRouter.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/Server.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/RunningServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Error.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Logging/Logger+LogError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Sessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/KeyedCacheSessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/MemorySessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentCoders.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/HTTPStatus.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Redirect.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/SingleValueGet.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Config+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/CommandConfig+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Services+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/Client.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/FoundationClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/Request.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Vapor+View.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl.git-1370587408992578247/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl-support.git--2359138821295600615/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/crypto.git-7980259129511365902/Sources/libbcrypt/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Vapor.build/ContentContainer~partial.swiftdoc : /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/FileIO.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/FormDataCoder+HTTP.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionData.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Thread.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/URLEncoded.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Deprecated.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/ServeCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/RoutesCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/BootCommand.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Method.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionCache.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ResponseCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/RequestCodable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Middleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/CORSMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/FileMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/DateMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/ErrorMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+LazyMiddleware.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Response.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/AnyResponse.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/MiddlewareConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServerConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/SessionsConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/HTTPMethod+String.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Path.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/JSONCoder+Custom.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Request+Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Session.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Application.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Function.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/VaporProvider.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Responder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/BasicResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/ApplicationResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketResponder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/PlaintextEncoder.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/HTTPMessageContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/ParametersContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/QueryContainer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/EngineRouter.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/Server.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/NIOServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Server/RunningServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketServer.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Error.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Logging/Logger+LogError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Sessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/KeyedCacheSessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/MemorySessions.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/ContentCoders.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/HTTPStatus.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Response/Redirect.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/SingleValueGet.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Config+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/CommandConfig+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Services/Services+Default.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/Client.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Client/FoundationClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/WebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSocket/NIOWebSocketClient.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Router+Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Request/Request.swift /Users/Khanh/vapor/TILApp/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Vapor+View.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl.git-1370587408992578247/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-ssl-support.git--2359138821295600615/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/checkouts/crypto.git-7980259129511365902/Sources/libbcrypt/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
# FIXED Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/target/board.c Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/target/./cc2650lp/cc2650lp_board.c Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/Board.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/Power.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdint.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/utils/List.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdbool.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/yvals.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/linkage.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/_lock.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PIN.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/std.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/M3.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/std.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.c Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/package/package.defs.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__prologue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/package.defs.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__epilogue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/IHwi.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/package/package.defs.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pin/PINCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PWM.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pwm/PWMTimerCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/timer/GPTimerCC26XX.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/event.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_event.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/timer.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpt.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/power/PowerCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/package.defs.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/udma.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_udma.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/UART.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/uart/UARTCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/uart.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_uart.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__epilogue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__prologue.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h Startup/board.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__epilogue.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/dma/UDMACC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/spi/SPICC26XXDMA.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/SPI.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/i2c/I2CCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/I2C.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/crypto/CryptoCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/crypto.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_crypto.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/rf/RF.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_common_cmd.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_mailbox.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/string.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_prop_cmd.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/Display.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/DisplaySharp.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/grlib/grlib.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/assert.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/DisplayUart.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/ADCBuf.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/adcbuf/ADCBufCC26XX.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/aux_adc.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_adi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_adi_4_aux.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_aux_anaif.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/ADC.h Startup/board.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h Startup/board.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/adc/ADCCC26XX.h Startup/board.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/TRNGCC26XX.h C:/ti/simplelink/ble_sdk_2_02_01_18/src/target/board.c: C:/ti/simplelink/ble_sdk_2_02_01_18/src/target/./cc2650lp/cc2650lp_board.c: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/Board.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/Power.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdint.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/utils/List.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdbool.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/yvals.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/linkage.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/_lock.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PIN.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/std.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/M3.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/std.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.c: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/IHwi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pin/PINCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PWM.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pwm/PWMTimerCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/timer/GPTimerCC26XX.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/event.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_event.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/timer.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpt.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/power/PowerCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/udma.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_udma.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/UART.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/uart/UARTCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/uart.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_uart.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/dma/UDMACC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/spi/SPICC26XXDMA.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/SPI.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/i2c/I2CCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/I2C.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/crypto/CryptoCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/crypto.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_crypto.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/rf/RF.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_common_cmd.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_mailbox.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/string.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rf_prop_cmd.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/Display.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/DisplaySharp.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/grlib/grlib.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/assert.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/mw/display/DisplayUart.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/ADCBuf.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/adcbuf/ADCBufCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/aux_adc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_adi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_adi_4_aux.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_aux_anaif.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/ADC.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_5.2.6/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/adc/ADCCC26XX.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/TRNGCC26XX.h:
D
a swing used by circus acrobats
D
module novluno.cache; import novluno.config; import optional; import vibe.core.log; import vibe.core.core; import vibe.core.stream; import std.algorithm; import std.array; import std.ascii; import std.conv; import std.exception; import std.functional; import std.range; import std.traits; import std.typecons; TaskLocal!Cache g_cache; static this() { g_cache = new SQLiteCache(config.cachePath); } /// Internal representation of a header for a Shingetsu record. struct RecordHead { long stamp; string id; string filename; } /// Internal representation of a Shingetsu record. struct Record { RecordHead head; Optional!string pubkey; Optional!string sign; Optional!string target; Optional!long remove_stamp; Optional!string remove_id; // thread Optional!string name; Optional!string mail; string body_; Optional!string suffix; Optional!(ubyte[]) attach; string recordStr; } private enum FieldType { // Note: fields are generated in this order name, mail, body_, attach, suffix, pubkey, sign, target, remove_stamp, remove_id, } /// Convert the internal record representation to Shingetsu protocol format void toShingetsuRecord(alias sink)(auto ref const Record record) { toShingetsuHead!sink(record.head); sink("<>"); bool putSep; foreach (f; EnumMembers!FieldType) { enum name = (s => s[$ - 1] == '_' ? s[0 .. $ - 1] : s)(f.to!string); auto field = __traits(getMember, record, text(f)); static if (is(typeof(field) : Optional!T, T)) { if (!field.empty) { if (putSep) sink("<>"); sink(name ~ ":"); static if (name == "attach") { import std.base64; string s = Base64.encode(field.get); sink(s); } else { static assert(!(isArray!T && !isSomeString!T)); sink(field.get.to!string); } putSep = true; } } else { //static if (is(typeof(field) : string)) // if (field is null) continue; if (putSep) sink("<>"); sink(name ~ ":"); sink(field.to!string); putSep = true; } } } /// ditto string toShingetsuRecord()(auto ref const Record record) @safe pure nothrow { auto app = appender!string(); record.toShingetsuRecord!(s => app.put(s))(); return app.data(); } /// Convert the internal record head representation to Shingetsu protocol format. string toShingetsuHead()(auto ref const RecordHead head) @safe pure nothrow { return head.stamp.text ~ "<>" ~ head.id; } /// ditto void toShingetsuHead(alias sink)(auto ref const RecordHead head) { sink(head.stamp.text); sink("<>"); sink(head.id); } @safe pure nothrow unittest { Record record; with (record) { head.filename = "thread_AA"; head.id = "b1946ac92492d2347c6235b4d2611184"; head.stamp = 100; body_ = "hello"; } assert(toShingetsuRecord(record) == "100<>b1946ac92492d2347c6235b4d2611184<>body:hello"); } /// Parses a record in Shingetsu protocol format. Record parseShingetsuRecord(string recordStr, string filename) @safe pure { assert(isValidThreadFileName(filename)); assert(recordStr.all!(c => c != '\r' && c != '\n')); static void enforceParse(bool cond, lazy string msg) { enforce(cond, "Failed to parse record: " ~ msg); } Record rec; rec.head.filename = filename; rec.recordStr = recordStr; enforceParse(!recordStr.empty, "empty"); auto fields = recordStr.splitter("<>"); // Feeding empty string to splitter gives empty range. assert(!fields.empty); rec.head.stamp = fields.front.to!long; fields.popFront(); enforceParse(!fields.empty, "missing id"); rec.head.id = fields.front; enforceParse(isValidRecordId(rec.head.id), "invalid record id"); fields.popFront(); bool[FieldType] filled; foreach (f; fields) { immutable sp = f.findSplit(":"); enforceParse(sp.length == 3, "broken field"); Lswitch: switch (sp[0]) { foreach (ft; EnumMembers!FieldType) { enum name = (s => s[$ - 1] == '_' ? s[0 .. $ - 1] : s)(ft.to!string); case name: enforceParse(!filled.get(ft, false), "duplicated field '" ~ sp[0] ~ "'"); filled[ft] = true; static if (ft == FieldType.attach) { import std.base64; rec.attach = Base64.decode(sp[2]); } else { alias FT = typeof(__traits(getMember, rec, text(ft))); static if (is(FT : string)) { __traits(getMember, rec, text(ft)) = sp[2]; } else static if (is(FT : Optional!T, T)) { __traits(getMember, rec, text(ft)) = sp[2].to!T; } } break Lswitch; } default: enforceParse(false, "unknown field '" ~ sp[0] ~ "'"); break; } } enforceParse(allOrNotAtAll(filled.get(FieldType.attach, false), filled.get(FieldType.suffix, false)), "no suffix for the attachment"); enforceParse(allOrNotAtAll(filled.get(FieldType.pubkey, false), filled.get(FieldType.sign, false), filled.get(FieldType.target, false)), "signature fields are not complete"); enforceParse(allOrNotAtAll(filled.get(FieldType.remove_stamp, false), filled.get(FieldType.remove_id, false)), "removal fields are not complete"); return rec; } unittest { Record record; with (record) { head.filename = "thread_AA"; head.id = "b1946ac92492d2347c6235b4d2611184"; head.stamp = 100; body_ = "hello http://"; recordStr = head.stamp.text ~ "<>" ~ head.id ~ "<>body:" ~ body_; } assert(record.toShingetsuRecord.parseShingetsuRecord(record.head.filename) == record); assertThrown(parseShingetsuRecord("100<>5abc", "thread_AA")); assertNotThrown(parseShingetsuRecord("100<>" ~ record.head.id, "thread_AA")); assertThrown(parseShingetsuRecord("100<>" ~ record.head.id ~ "<>remove_stamp:200", "thread_AA")); assertNotThrown(parseShingetsuRecord("100<>" ~ record.head.id ~ "<>remove_stamp:200<>remove_id:0e3ea802f68f93aefee15d998a4860c5", "thread_AA")); } interface Cache { Cache clone(); bool hasFile(string filename); bool hasRecord(RecordHead head); long getFileLength(string filename); Record getRecord(RecordHead head); Record[] getRecordsByRange(string filename, long beginTime, long endTime); Record[] getNLatestRecords(string filename, long num, long offset = 0); RecordHead[] getRecordHeadsByRange(string filename, long beginTime, long endTime); string getRecordString(RecordHead head); string[] getRecordStringsByRange(string filename, long beginTime, long endTime); void addRecord(Record record); void addRecords(Record[] records); ubyte[] getAttach(RecordHead head); RecordHead[] getRecentByRange(long beginTime, long endTime); void updateRecent(RecordHead head); } /+ final class SakuCache : Cache { import std.file; import std.path; private immutable string _path; this(string path) { if (!exists(path)) mkdirRecurse(path); _path = path; } override bool hasFile(string filename) { assert(isValidThreadFileName(filename)); immutable fpath = buildPath(_path, filename); return exists(fpath) && isDir(fpath); } override bool hasRecord(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.filename)); immutable rpath = buildPath(_path, head.filename, "record", head.stamp.to!string ~ "_" ~ head.id); return exists(rpath) && isFile(rpath); } Record getRecord(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.filename)); immutable rpath = buildPath(_path, head.filename, "record", head.stamp.text ~ "_" ~ head.id); // parse } Record[] getRecordsByRange(string filename, long beginTime, long endTime); string getRecordString(RecordHead head); string[] getRecordStringsByRange(string filename, long beginTime, long endTime); void addRecord(Record record, ubyte[] attach = null); void addRecord(RecordHead head, string recordStr); ubyte[] getAttach(RecordHead head); RecordHead[] getRecentByRange(long beginTime, long endTime); void updateRecent(RecordHead head); } +/ final class SQLiteCache : Cache { import d2sqlite3; private { immutable string _path; Database _db; Statement stFileKeyByName; Statement stFileExistenceByName; Statement stRecord; Statement stRecordStr; Statement stRecordExistence; Statement stRecordsByRange; Statement stNLatestRecords; Statement stRecordHeadsByRange; Statement stRecordStrByRange; Statement stAttach; Statement stRecentByRange; Statement stUpdateRecent; Statement stRecentByFile; Statement stRecordInsert; Statement stFileInsert; Statement stFileLength; } this(string path) { _path = path; import std.file : exists; immutable needsInit = _path == ":memory:" || !exists(_path); _db = Database(_path); if (needsInit) { _db.execute("BEGIN"); _db.execute("CREATE TABLE IF NOT EXISTS file ( key INTEGER PRIMARY KEY, filename TEXT NOT NULL UNIQUE)"); _db.execute("CREATE INDEX fileIndex ON file(filename)"); _db.execute("CREATE TABLE IF NOT EXISTS record ( stamp INTEGER NOT NULL, id TEXT NOT NULL, fileKey INTEGER NOT NULL, record_str TEXT NOT NULL, pubkey TEXT, sign TEXT, target TEXT, remove_stamp INTEGER, remove_id TEXT, name TEXT, mail TEXT, body TEXT, attach BLOB, suffix TEXT, FOREIGN KEY(fileKey) REFERENCES file(key), PRIMARY KEY(stamp, id, fileKey) )"); _db.execute("CREATE INDEX recordIndex ON record(fileKey, stamp ASC)"); _db.execute("CREATE TABLE IF NOT EXISTS recent ( stamp INTEGER NOT NULL, id TEXT NOT NULL, filename TEXT NOT NULL PRIMARY KEY )"); _db.execute("CREATE INDEX recentIndex ON recent(stamp ASC)"); _db.commit(); } initializePreparedStatements(); } this(Database db, string path) { _db = db; _path = path; initializePreparedStatements(); } private void initializePreparedStatements() { stFileKeyByName = _db.prepare( "SELECT key FROM file WHERE filename = :filename LIMIT 1"); stFileExistenceByName = _db.prepare("SELECT EXISTS (SELECT 1 FROM file WHERE filename = :filename LIMIT 1)"); stRecord = _db.prepare("SELECT * FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND record.id = :record_id LIMIT 1"); stRecordStr = _db.prepare("SELECT record_str FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND record.id = :record_id LIMIT 1"); stRecordExistence = _db.prepare("SELECT EXISTS (SELECT 1 FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND record.id = :recordid LIMIT 1)"); stRecordsByRange = _db.prepare("SELECT * FROM record INNER JOIN file ON file.key = record.fileKey WHERE filename = :filename AND :beginTime <= record.stamp AND record.stamp <= :endTime ORDER BY record.stamp DESC"); stNLatestRecords = _db.prepare("SELECT * FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename ORDER BY stamp DESC LIMIT :num OFFSET :offset"); // CASE WHEN attach IS NULL THEN 0 ELSE 1 END hasAttach stRecordHeadsByRange = _db.prepare("SELECT id, stamp FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND :beginTime <= record.stamp AND record.stamp <= :endTime ORDER BY stamp DESC"); stRecordStrByRange = _db.prepare("SELECT record_str FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND :beginTime <= record.stamp AND record.stamp <= :endTime ORDER BY stamp DESC"); stAttach = _db.prepare("SELECT attach FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename AND id = :recordid LIMIT 1"); stRecentByRange = _db.prepare("SELECT stamp, id, filename FROM recent WHERE :beginTime <= stamp AND stamp <= :endTime ORDER BY stamp ASC"); stUpdateRecent = _db.prepare(" REPLACE INTO recent(filename, stamp, id) VALUES (:filename, :stamp, :id)"); stRecentByFile = _db.prepare("SELECT stamp FROM recent WHERE filename = :filename"); stRecordInsert = _db.prepare("INSERT INTO record(fileKey, stamp, id, record_str, pubkey, sign, target, remove_stamp, remove_id, name, mail, body, attach, suffix) VALUES (:fileKey, :stamp, :record_id, :record_str, :pubkey, :sign, :target, :remove_stamp, :remove_id, :name, :mail, :body, :attach, :suffix)"); stFileInsert = _db.prepare("INSERT INTO file (filename) VALUES (:filename)"); stFileLength = _db.prepare("SELECT count() FROM record INNER JOIN file ON file.key = record.fileKey WHERE file.filename = :filename"); } private static Record rowToRecord(Row row, string filename) { Record r; with (r) { head = rowToRecordHead(row, filename); pubkey = row.peek!(Nullable!string)("pubkey").fromNullable(); sign = row.peek!(Nullable!string)("sign").fromNullable(); target = row.peek!(Nullable!string)("target").fromNullable(); remove_stamp = row.peek!(Nullable!long)("remove_stamp").fromNullable(); remove_id = row.peek!(Nullable!string)("remove_id").fromNullable(); name = row.peek!(Nullable!string)("name").fromNullable(); mail = row.peek!(Nullable!string)("mail").fromNullable(); body_ = row.peek!string("body"); attach = row.peek!(Nullable!(ubyte[]))("attach").fromNullable(); suffix = row.peek!(Nullable!string)("suffix").fromNullable(); recordStr = row.peek!string("record_str"); } return r; } private static RecordHead rowToRecordHead(Row row, string filename) { RecordHead r; r.filename = filename; r.stamp = row.peek!long("stamp"); r.id = row.peek!string("id"); return r; } Cache clone() { return new SQLiteCache(_db, _path); } override bool hasFile(string filename) { assert(isValidThreadFileName(filename)); stFileExistenceByName.bindAll(filename); scope (exit) stFileExistenceByName.reset(); immutable ret = stFileExistenceByName.execute().oneValue!bool; return ret; } override bool hasRecord(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.id)); stRecordExistence.bindAll(head.filename, head.id); scope (exit) stRecordExistence.reset(); immutable ret = stRecordExistence.execute().oneValue!bool; return ret; } override Record getRecord(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.id)); stRecord.bindAll(head.filename, head.id); scope (exit) stRecord.reset(); auto r = rowToRecord(stRecord.execute().front, head.filename); return r; } override Record[] getRecordsByRange(string filename, long beginTime, long endTime) { assert(isValidThreadFileName(filename)); assert(beginTime <= endTime); stRecordsByRange.bindAll(filename, beginTime, endTime); scope (exit) stRecordsByRange.reset(); auto records = stRecordsByRange.execute() .map!(r => rowToRecord(r, filename)).array; return records; } override long getFileLength(string filename) { assert(isValidThreadFileName(filename)); stFileLength.bindAll(filename); scope (exit) stFileLength.reset(); auto len = stFileLength.execute().oneValue!long; return len; } override Record[] getNLatestRecords(string filename, long num, long offset = 0) { assert(num >= 0 && offset >= 0); assert(isValidThreadFileName(filename)); stNLatestRecords.bindAll(filename, num, offset); scope (exit) stNLatestRecords.reset(); auto records = stNLatestRecords.execute() .map!(r => rowToRecord(r, filename)).array; return records; } override RecordHead[] getRecordHeadsByRange(string filename, long beginTime, long endTime) { assert(isValidThreadFileName(filename)); assert(beginTime <= endTime); stRecordHeadsByRange.bindAll(filename, beginTime, endTime); scope (exit) stRecordHeadsByRange.reset(); auto records = stRecordHeadsByRange.execute() .map!(r => rowToRecordHead(r, filename)).array; return records; } string getRecordString(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.id)); stRecordStr.bindAll(head.filename, head.id); scope (exit) stRecordStr.reset(); immutable ret = stRecordStr.execute().oneValue!string; return ret; } string[] getRecordStringsByRange(string filename, long starttime, long endtime) { assert(isValidThreadFileName(filename)); assert(starttime <= endtime); stRecordStrByRange.bindAll(filename, starttime, endtime); scope (exit) stRecordStrByRange.reset(); auto records = stRecordStrByRange.execute().map!(r => r.peek!string(0)).array; return records; } override void addRecord(Record record) { assert(isValidThreadFileName(record.head.filename)); assert(isValidRecordId(record.head.id)); _db.execute("BEGIN"); long fileKey; stFileKeyByName.bindAll(record.head.filename); scope (exit) stFileKeyByName.reset(); auto res = stFileKeyByName.execute(); if (res.empty) { stFileInsert.inject(record.head.filename); stFileKeyByName.reset(); stFileKeyByName.bindAll(record.head.filename); fileKey = stFileKeyByName.execute().oneValue!long; } else { fileKey = res.oneValue!long; } auto recordStr = record.toShingetsuRecord(); //(:fileKey, :stamp, :record_id, :record_str, :pubkey, :sign, :target, // :remove_stamp, :remove_id, :name, :mail, :body, :attach)"); stRecordInsert.inject(fileKey, record.head.stamp, record.head.id, recordStr, cast( Nullable!string) record.pubkey, cast(Nullable!string) record.sign, cast(Nullable!string) record.target, cast(Nullable!long) record.remove_stamp, cast(Nullable!string) record.remove_id, cast(Nullable!string) record.name, cast(Nullable!string) record.mail, record.body_, cast(Nullable!(ubyte[])) record.attach, cast(Nullable!string) record.suffix); _db.commit(); } override void addRecords(Record[] records) { if (records.empty) return; _db.execute("BEGIN"); long fileKey; stFileKeyByName.bindAll(records[0].head.filename); scope (exit) stFileKeyByName.reset(); auto res = stFileKeyByName.execute(); if (res.empty) { stFileInsert.inject(records[0].head.filename); stFileKeyByName.reset(); stFileKeyByName.bindAll(records[0].head.filename); fileKey = stFileKeyByName.execute().oneValue!long; } else { fileKey = res.oneValue!long; } foreach (record; records) { assert(isValidThreadFileName(record.head.filename)); assert(isValidRecordId(record.head.id)); auto recordStr = record.toShingetsuRecord(); //(:fileKey, :stamp, :record_id, :record_str, :pubkey, :sign, :target, // :remove_stamp, :remove_id, :name, :mail, :body, :attach)"); stRecordInsert.inject(fileKey, record.head.stamp, record.head.id, recordStr, cast( Nullable!string) record.pubkey, cast(Nullable!string) record.sign, cast(Nullable!string) record.target, cast(Nullable!long) record.remove_stamp, cast(Nullable!string) record.remove_id, cast(Nullable!string) record.name, cast(Nullable!string) record.mail, record.body_, cast(Nullable!(ubyte[])) record.attach, cast(Nullable!string) record.suffix); } _db.commit(); } override ubyte[] getAttach(RecordHead head) { assert(isValidThreadFileName(head.filename)); assert(isValidRecordId(head.id)); stAttach.bindAll(head.filename, head.id); scope (exit) stAttach.reset(); auto a = stAttach.execute().oneValue!(ubyte[]); return a; } override RecordHead[] getRecentByRange(long beginTime, long endTime) { assert(beginTime <= endTime); stRecentByRange.bindAll(beginTime, endTime); scope (exit) stRecentByRange.reset(); auto records = stRecentByRange.execute() .map!(r => rowToRecordHead(r, r.peek!string("filename"))).array; return records; } override void updateRecent(RecordHead record) { _db.execute("BEGIN"); stRecentByFile.bindAll(record.filename); scope (exit) stRecentByFile.reset(); auto rf = stRecentByFile.execute(); if (rf.empty || rf.front.peek!long("stamp") < record.stamp) stUpdateRecent.inject(record.filename, record.stamp, record.id); _db.commit(); } // TODO: version(none) static void migrateFromSakuCache(string sakuPath, string sqlitePath) { auto saku = new SakuCache(sakuPath); auto sqlite = new SQLiteCache(sqlitePath); } } unittest { import d2sqlite3; try { enum unittestDB = ":memory:"; { import std.file; if (unittestDB != ":memory:" && exists(unittestDB)) remove(unittestDB); } auto cache = new SQLiteCache(unittestDB); Record r1, r2, r3, r4; with (r1) { head.filename = "thread_AA"; head.id = "b1946ac92492d2347c6235b4d2611184"; head.stamp = 100; body_ = ""; } with (r2) { head.filename = "thread_AA"; head.id = "12fc204edeae5b57713c5ad7dcb97d39"; head.stamp = 200; mail = "sage"; body_ = "hai"; } with (r3) { head.filename = "thread_AA"; head.id = "c34b28b9769ac33d25a31677f485a42a"; head.stamp = 500; body_ = "添付"; attach = cast(ubyte[]) "Hello"; suffix = "txt"; } with (r4) { head.filename = "thread_BB"; head.id = "1ed1fc6080dd35a0a451dfd7cbba4e07"; head.stamp = 800; body_ = "hello<br>world"; } assert(!cache.hasFile("thread_AA")); cache.addRecord(r1); assert(cache.hasFile("thread_AA")); assert(cache.getFileLength("thread_AA") == 1); assert(cache.getRecord(r1.head).toShingetsuRecord == r1.toShingetsuRecord); assert(!cache.hasRecord(r2.head)); cache.addRecord(r2); assert(cache.hasRecord(r2.head)); assert(cache.getRecordString(r2.head) == "200<>" ~ r2.head.id ~ "<>mail:sage<>body:hai"); cache.addRecord(r3); immutable expected = "500<>" ~ r3.head.id ~ "<>body:添付<>attach:SGVsbG8=<>suffix:txt"; assert(cache.getRecordString(r3.head) == expected); assert(cache.getRecord(r3.head).toShingetsuRecord == expected); assert(cache.getAttach(r3.head) == "Hello"); assert(cache.getRecordStringsByRange("thread_AA", 500, 500)[0] == expected); cache.addRecord(r4); assert(cache.getRecord(r4.head).body_ == r4.body_); assert(cache.getFileLength("thread_AA") == 3); assert(cache.getRecordsByRange("thread_AA", 0, long.max).length == 3); assert(cache.getNLatestRecords("thread_AA", 2, 1) .map!(r => r.head.stamp).equal([200, 100])); assert(cache.getRecentByRange(0, long.max) == []); cache.updateRecent(r1.head); assert(cache.getRecentByRange(0, 500) == [RecordHead(100, r1.head.id, "thread_AA")]); cache.updateRecent(r2.head); assert(cache.getRecentByRange(0, 500) == [RecordHead(200, r2.head.id, "thread_AA")]); cache.updateRecent(r3.head); assert(cache.getRecentByRange(0, 500) == [RecordHead(500, r3.head.id, "thread_AA")]); cache.updateRecent(r4.head); assert(cache.getRecentByRange(0, 500) == [RecordHead(500, r3.head.id, "thread_AA")]); assert(cache.getRecentByRange(0, long.max) == [RecordHead(500, r3.head.id, "thread_AA"), RecordHead(800, r4.head.id, "thread_BB")]); } catch (SqliteException e) { import std.stdio; stderr.writeln(e.sql); throw e; } } bool isValidThreadFileName(string filename) pure nothrow @safe @nogc { import std.utf : byChar; import std.ascii : isHexDigit; if (!filename.startsWith("thread_")) return false; filename = filename["thread_".length .. $]; return filename.length > 0 && filename.length % 2 == 0 && filename.byChar.all!(c => c.isHexDigit); } unittest { assert( isValidThreadFileName("thread_E99B91E8AB87")); assert(!isValidThreadFileName("thread_E99B91E8AB8")); assert(!isValidThreadFileName("thread_")); assert(!isValidThreadFileName("thread")); assert(!isValidThreadFileName("thread_*")); } bool isValidRecordId(string id) pure nothrow @safe @nogc { import std.utf : byChar; return id.length == 32 && id.byChar.all!(c => c.isDigit || ('a' <= c && c <= 'f')); } unittest { assert(isValidRecordId("aecdffafc11b0a66621e1b373abaf693")); assert(!isValidRecordId("+ecdffafc11b0a66621e1b373abaf693")); assert(!isValidRecordId("1234ffff")); } S encodeTitle(S)(S title) if (isSomeString!S) { import std.utf : validate; validate(title); import std.format : formattedWrite; auto app = appender!string; foreach (char c; title) { app.formattedWrite("%0X", c); } return app.data(); } pure @safe unittest { assert(encodeTitle("雑談") == "E99B91E8AB87"); } S decodeTitle(S)(S title) @trusted if (isSomeString!S) { static fromHexDigit(dchar c) pure { return isDigit(c) ? c - '0' : c - 'A' + 10; } import std.utf : byChar; auto str = title.byChar; auto app = appender!(ubyte[]); foreach (dchar a, dchar b; zip(StoppingPolicy.requireSameLength, str.stride(2), str.drop(1).stride(2))) { enforce(isHexDigit(a) && isHexDigit(b)); app ~= cast(ubyte)(fromHexDigit(a) * 16 + fromHexDigit(b)); } import std.utf : validate; validate(cast(string) app.data); return (cast(string) app.data).to!S; } pure @safe unittest { assert(decodeTitle("E99B91E8AB87") == "雑談"); assertThrown(decodeTitle("C0AF")); } private: bool allOrNotAtAll(in bool[] conds...) pure nothrow @safe @nogc { if (conds.length == 0) return true; if (conds[0]) return conds[1 .. $].all; else return conds[1 .. $].all!(b => !b); } /+ pragma(inline) bool implies(bool a, bool b) pure nothrow @safe @nogc { return !a || b; } +/
D
/* * graphics.d * * This Scaffold holds the Graphics implementations for the Linux platform * * Author: Dave Wilkinson * */ module scaffold.graphics; import core.string; import core.color; import core.main; import core.definitions; import core.string; import graphics.view; import graphics.graphics; import platform.unix.common; import platform.unix.main; import platform.vars.view; import platform.vars.region; import platform.vars.brush; import platform.vars.pen; import platform.vars.font; import graphics.region; import math.common; // Shapes // Draw a line void drawLine(ViewPlatformVars* viewVars, int x, int y, int x2, int y2) { Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_move_to(viewVars.cr, x, y); Cairo.cairo_line_to(viewVars.cr, x2, y2); Cairo.cairo_stroke(viewVars.cr); } // Draw a rectangle (filled with the current brush, outlined with current pen) void drawRect(ViewPlatformVars* viewVars, int x, int y, int width, int height) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_rectangle(viewVars.cr, x, y, width, height); Cairo.cairo_fill_preserve(viewVars.cr); Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } void fillRect(ViewPlatformVars* viewVars, int x, int y, int width, int height) { x++; width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_rectangle(viewVars.cr, x, y, width, height); Cairo.cairo_fill(viewVars.cr); } void strokeRect(ViewPlatformVars* viewVars, int x, int y, int width, int height) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_rectangle(viewVars.cr, x, y, width, height); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } // Draw an ellipse (filled with current brush, outlined with current pen) void drawOval(ViewPlatformVars* viewVars, int x, int y, int width, int height) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, 0, 2*3.14159265); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_fill_preserve(viewVars.cr); Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } void fillOval(ViewPlatformVars* viewVars, int x, int y, int width, int height) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, 0, 2*3.14159265); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_fill(viewVars.cr); } void strokeOval(ViewPlatformVars* viewVars, int x, int y, int width, int height) { width--; height--; Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, 0, 2*3.14159265); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } void drawPie(ViewPlatformVars* viewVars, int x, int y, int width, int height, double startAngle, double sweepAngle) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); double sA, eA; sA = (startAngle*3.14159265)/180.0; eA = (sweepAngle*3.14159265)/180.0; eA += sA; Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, sA, eA); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_line_to(viewVars.cr, cx, cy); Cairo.cairo_close_path(viewVars.cr); Cairo.cairo_fill_preserve(viewVars.cr); Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } void fillPie(ViewPlatformVars* viewVars, int x, int y, int width, int height, double startAngle, double sweepAngle) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curBrush.handle); Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); double sA, eA; sA = (startAngle*3.14159265)/180.0; eA = (sweepAngle*3.14159265)/180.0; eA += sA; Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, sA, eA); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_line_to(viewVars.cr, cx, cy); Cairo.cairo_close_path(viewVars.cr); Cairo.cairo_fill(viewVars.cr); } void strokePie(ViewPlatformVars* viewVars, int x, int y, int width, int height, double startAngle, double sweepAngle) { width--; height--; Cairo.cairo_set_source(viewVars.cr, viewVars.curPen.handle); Cairo.cairo_save(viewVars.cr); Cairo.cairo_new_path(viewVars.cr); double cx, cy; cx = cast(double)x + cast(double)(width) / 2.0; cy = cast(double)y + cast(double)(height) / 2.0; Cairo.cairo_translate(viewVars.cr, cx, cy); Cairo.cairo_scale(viewVars.cr, cast(double)(width)/2.0, cast(double)(height)/2.0); double sA, eA; sA = (startAngle*3.14159265)/180.0; eA = (sweepAngle*3.14159265)/180.0; eA += sA; Cairo.cairo_arc(viewVars.cr, 0, 0, 1.0, sA, eA); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_line_to(viewVars.cr, cx, cy); Cairo.cairo_close_path(viewVars.cr); Cairo.cairo_set_line_width(viewVars.cr, viewVars.curPen.width); Cairo.cairo_stroke(viewVars.cr); } // Fonts //void createFont(ViewPlatformVars* viewVars, out Font font, string fontname, int fontsize, int weight, bool italic, bool underline, bool strikethru) void createFont(FontPlatformVars* font, string fontname, int fontsize, int weight, bool italic, bool underline, bool strikethru) { font.pangoFont = Pango.pango_font_description_new(); fontname = fontname.dup; fontname ~= '\0'; Pango.pango_font_description_set_family(font.pangoFont, fontname.ptr); Pango.pango_font_description_set_size(font.pangoFont, fontsize * Pango.PANGO_SCALE); if (italic) { Pango.pango_font_description_set_style(font.pangoFont, Pango.PangoStyle.PANGO_STYLE_ITALIC); } else { Pango.pango_font_description_set_style(font.pangoFont, Pango.PangoStyle.PANGO_STYLE_NORMAL); } Pango.pango_font_description_set_weight(font.pangoFont, cast(Pango.PangoWeight)(weight)); } void setFont(ViewPlatformVars* viewVars, FontPlatformVars* font) { Pango.pango_layout_set_font_description(viewVars.layout, font.pangoFont); } void destroyFont(FontPlatformVars* font) { Pango.pango_font_description_free(font.pangoFont); } // Text void drawText(ViewPlatformVars* viewVars, int x, int y, string str) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, str.length); Cairo.cairo_set_source_rgb(viewVars.cr, viewVars.textclr_red, viewVars.textclr_green, viewVars.textclr_blue); Cairo.cairo_move_to(viewVars.cr, (x), (y)); Pango.pango_cairo_show_layout(viewVars.cr, viewVars.layout); } void drawText(ViewPlatformVars* viewVars, int x, int y, string str, uint length) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, length); Cairo.cairo_set_source_rgba(viewVars.cr, viewVars.textclr_red, viewVars.textclr_green, viewVars.textclr_blue, viewVars.textclr_alpha); Cairo.cairo_move_to(viewVars.cr, (x), (y)); Pango.pango_cairo_show_layout(viewVars.cr, viewVars.layout); } // Clipped Text void drawClippedText(ViewPlatformVars* viewVars, int x, int y, Rect region, string str) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, str.length); double xp1,yp1,xp2,yp2; xp1 = region.left; yp1 = region.top; xp2 = region.right; yp2 = region.bottom; Cairo.cairo_save(viewVars.cr); Cairo.cairo_rectangle(viewVars.cr, xp1, yp1, xp2, yp2); Cairo.cairo_clip(viewVars.cr); Cairo.cairo_set_source_rgba(viewVars.cr, viewVars.textclr_red, viewVars.textclr_green, viewVars.textclr_blue, viewVars.textclr_alpha); Cairo.cairo_move_to(viewVars.cr, (x), (y)); Pango.pango_cairo_show_layout(viewVars.cr, viewVars.layout); Cairo.cairo_restore(viewVars.cr); } void drawClippedText(ViewPlatformVars* viewVars, int x, int y, Rect region, string str, uint length) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, length); double xp1,yp1,xp2,yp2; xp1 = region.left; yp1 = region.top; xp2 = region.right; yp2 = region.bottom; Cairo.cairo_save(viewVars.cr); Cairo.cairo_rectangle(viewVars.cr, xp1, yp1, xp2, yp2); Cairo.cairo_clip(viewVars.cr); Cairo.cairo_set_source_rgba(viewVars.cr, viewVars.textclr_red, viewVars.textclr_green, viewVars.textclr_blue, viewVars.textclr_alpha); Cairo.cairo_move_to(viewVars.cr, (x), (y)); Pango.pango_cairo_show_layout(viewVars.cr, viewVars.layout); Cairo.cairo_restore(viewVars.cr); } // Text Measurement void measureText(ViewPlatformVars* viewVars, string str, out Size sz) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, str.length); Pango.pango_layout_get_size(viewVars.layout, cast(int*)&sz.x, cast(int*)&sz.y); sz.x /= Pango.PANGO_SCALE; sz.y /= Pango.PANGO_SCALE; } void measureText(ViewPlatformVars* viewVars, string str, uint length, out Size sz) { Pango.pango_layout_set_text(viewVars.layout, str.ptr, length); Pango.pango_layout_get_size(viewVars.layout, cast(int*)&sz.x, cast(int*)&sz.y); sz.x /= Pango.PANGO_SCALE; sz.y /= Pango.PANGO_SCALE; } // Text Colors void setTextBackgroundColor(ViewPlatformVars* viewVars, ref Color textColor) { // Color is an INT // divide int r, g, b, a; r = cast(int)(textColor.red * 0xffffp0); g = cast(int)(textColor.green * 0xffffp0); b = cast(int)(textColor.blue * 0xffffp0); a = cast(int)(textColor.alpha * 0xffffp0); viewVars.attr_bg = Pango.pango_attr_background_new(r, g, b); viewVars.attr_bg.start_index = 0; viewVars.attr_bg.end_index = -1; //Pango.pango_attr_list_insert(viewVars.attr_list_opaque, viewVars.attr_bg); Pango.pango_attr_list_change(viewVars.attr_list_opaque, viewVars.attr_bg); // Pango.pango_attribute_destroy(viewVars.attr_bg); } void setTextColor(ViewPlatformVars* viewVars, ref Color textColor) { // Color is an INT // divide double r, g, b, a; r = textColor.red; g = textColor.green; b = textColor.blue; a = textColor.alpha; viewVars.textclr_red = r; viewVars.textclr_green = g; viewVars.textclr_blue = b; viewVars.textclr_alpha = a; } // Text States void setTextModeTransparent(ViewPlatformVars* viewVars) { Pango.pango_layout_set_attributes(viewVars.layout, viewVars.attr_list_transparent); } void setTextModeOpaque(ViewPlatformVars* viewVars) { Pango.pango_layout_set_attributes(viewVars.layout, viewVars.attr_list_opaque); } // Graphics States void setAntialias(ViewPlatformVars* viewVars, bool value) { viewVars.aa = value; if (viewVars.aa) { Cairo.cairo_set_antialias(viewVars.cr, Cairo.cairo_antialias_t.CAIRO_ANTIALIAS_DEFAULT); } else { Cairo.cairo_set_antialias(viewVars.cr, Cairo.cairo_antialias_t.CAIRO_ANTIALIAS_NONE); } } // Brushes void createBrush(BrushPlatformVars* brush, in Color clr) { brush.handle = Cairo.cairo_pattern_create_rgba(clr.red,clr.green,clr.blue,clr.alpha); } void setBrush(ViewPlatformVars* viewVars, BrushPlatformVars* brush) { viewVars.curBrush = *brush; } void destroyBrush(BrushPlatformVars* brush) { Cairo.cairo_pattern_destroy(brush.handle); } // BitmapBrush void createBitmapBrush(BrushPlatformVars* brush, ref ViewPlatformVars viewVarsSrc) { brush.handle = Cairo.cairo_pattern_create_for_surface(viewVarsSrc.surface); Cairo.cairo_pattern_set_extend(brush.handle, Cairo.cairo_extend_t.CAIRO_EXTEND_REPEAT); } void createGradientBrush(BrushPlatformVars* brush, double origx, double origy, double[] points, Color[] clrs, double angle, double width) { double x0, y0, x1, y1; x0 = origx; y0 = origy; x1 = origx + (cos(angle) * width); y1 = origy + (sin(angle) * width); brush.handle = Cairo.cairo_pattern_create_linear(x0, y0, x1, y1); foreach(size_t i, point; points) { Cairo.cairo_pattern_add_color_stop_rgba(brush.handle, point, clrs[i].red, clrs[i].green, clrs[i].blue, clrs[i].alpha); } Cairo.cairo_pattern_set_extend(brush.handle, Cairo.cairo_extend_t.CAIRO_EXTEND_REPEAT); } // Pens void createPen(PenPlatformVars* pen, ref Color clr, double width) { pen.handle = Cairo.cairo_pattern_create_rgba(clr.red,clr.green,clr.blue,clr.alpha); pen.width = width; } void createPenWithBrush(PenPlatformVars* pen, ref BrushPlatformVars brush, double width) { pen.handle = Cairo.cairo_pattern_reference(brush.handle); pen.width = width; } void setPen(ViewPlatformVars* viewVars, PenPlatformVars* pen) { viewVars.curPen = *pen; } void destroyPen(PenPlatformVars* pen) { Cairo.cairo_pattern_destroy(pen.handle); } // View Interfacing void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView) { Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x, y); Cairo.cairo_paint(viewVars.cr); } void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView, int viewX, int viewY) { Cairo.cairo_save(viewVars.cr); Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x - viewX, y - viewY); double x1,y1,x2,y2; x1 = x; y1 = y; x2 = view.width() - viewX; y2 = view.height() - viewY; Cairo.cairo_rectangle(viewVars.cr, x1, y1, x2, y2); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_fill(viewVars.cr); } void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView, int viewX, int viewY, int viewWidth, int viewHeight) { Cairo.cairo_save(viewVars.cr); Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x - viewX, y - viewY); double x1,y1,x2,y2; x1 = x; y1 = y; x2 = viewWidth; y2 = viewHeight; Cairo.cairo_rectangle(viewVars.cr, x1, y1, x2, y2); Cairo.cairo_restore(viewVars.cr); Cairo.cairo_fill(viewVars.cr); } void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView, double opacity) { Cairo.cairo_save(viewVars.cr); Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x, y); Cairo.cairo_paint_with_alpha(viewVars.cr, opacity); Cairo.cairo_restore(viewVars.cr); } void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView, int viewX, int viewY, double opacity) { Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x - viewX, y - viewY); double x1,y1,x2,y2; x1 = x; y1 = y; x2 = view.width() - viewX; y2 = view.height() - viewY; Cairo.cairo_save(viewVars.cr); Cairo.cairo_rectangle(viewVars.cr, x1, y1, x2, y2); Cairo.cairo_clip(viewVars.cr); Cairo.cairo_paint_with_alpha(viewVars.cr, opacity); Cairo.cairo_restore(viewVars.cr); } void drawView(ref ViewPlatformVars* viewVars, ref View view, int x, int y, ref ViewPlatformVars* viewVarsSrc, ref View srcView, int viewX, int viewY, int viewWidth, int viewHeight, double opacity) { Cairo.cairo_set_source_surface(viewVars.cr, viewVarsSrc.surface, x - viewX, y - viewY); double x1,y1,x2,y2; x1 = x; y1 = y; x2 = viewWidth; y2 = viewHeight; Cairo.cairo_save(viewVars.cr); Cairo.cairo_rectangle(viewVars.cr, x1, y1, x2, y2); Cairo.cairo_clip(viewVars.cr); Cairo.cairo_paint_with_alpha(viewVars.cr, opacity); Cairo.cairo_restore(viewVars.cr); } void fillRegion(ViewPlatformVars* viewVars, RegionPlatformVars* rgnVars, bool rgnPlatformDirty, Region rgn, int x, int y) { } void strokeRegion(ViewPlatformVars* viewVars, RegionPlatformVars* rgnVars, bool rgnPlatformDirty, Region rgn, int x, int y) { } void drawRegion(ViewPlatformVars* viewVars, RegionPlatformVars* rgnVars, bool rgnPlatformDirty, Region rgn, int x, int y) { } void clipSave(ViewPlatformVars* viewVars) { } void clipRestore(ViewPlatformVars* viewVars) { } void clipRect(ViewPlatformVars* viewVars, int x, int y, int x2, int y2) { } void clipRegion(ViewPlatformVars* viewVars, Region region) { }
D
//Generated by Cap'n Proto compiler, DO NOT EDIT. //source: test-import.capnp module capnproto.tests.testimport; import capnproto; import capnproto.tests.test; struct Foo { public: static immutable structSize = cast(immutable)StructSize(0, 1); static struct Builder { public: this(SegmentBuilder* segment, int data, int pointers, int dataSize, short pointerCount) { b = StructBuilder(segment, data, pointers, dataSize, pointerCount); } auto asReader() { return b.asReader!Reader(); } .TestAllTypes.Builder getImportedStruct() { return b._getPointerField!(.TestAllTypes)(0, null, 0); } void setImportedStruct(.TestAllTypes.Reader value) { b._setPointerField!(.TestAllTypes)(0, value); } .TestAllTypes.Builder initImportedStruct() { return b._initPointerField!(.TestAllTypes)(0, 0); } public: StructBuilder b; } static struct Reader { public: this(SegmentReader* segment, int data, int pointers, int dataSize, short pointerCount, int nestingLimit) { b = StructReader(segment, data, pointers, dataSize, pointerCount, nestingLimit); } bool hasImportedStruct() { return !b._pointerFieldIsNull(0); } .TestAllTypes.Reader getImportedStruct() { return b._getPointerField!(.TestAllTypes)(0, null, 0); } public: StructReader b; } } struct Schemas { public: __gshared static SegmentReader b_ce44e75b93239b3c = GeneratedClassSupport.decodeRawBytes([ 0x0,0x0,0x0,0x0,0x5,0x0,0x6,0x0, 0x3c,0x9b,0x23,0x93,0x5b,0xe7,0x44,0xce, 0x12,0x0,0x0,0x0,0x1,0x0,0x0,0x0, 0xf3,0xe8,0xfe,0x51,0x19,0x32,0x93,0xd6, 0x1,0x0,0x7,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x15,0x0,0x0,0x0,0xb2,0x0,0x0,0x0, 0x1d,0x0,0x0,0x0,0x7,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x19,0x0,0x0,0x0,0x3f,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x74,0x65,0x73,0x74,0x2d,0x69,0x6d,0x70, 0x6f,0x72,0x74,0x2e,0x63,0x61,0x70,0x6e, 0x70,0x3a,0x46,0x6f,0x6f,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x1,0x0,0x1,0x0, 0x4,0x0,0x0,0x0,0x3,0x0,0x4,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x1,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0xd,0x0,0x0,0x0,0x7a,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0xc,0x0,0x0,0x0,0x3,0x0,0x1,0x0, 0x18,0x0,0x0,0x0,0x2,0x0,0x1,0x0, 0x69,0x6d,0x70,0x6f,0x72,0x74,0x65,0x64, 0x53,0x74,0x72,0x75,0x63,0x74,0x0,0x0, 0x10,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0xa7,0x0,0xb1,0x14,0x17,0x4a,0xaf,0xa0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x10,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, 0x0,0x0,0x0,0x0,0x0,0x0,0x0,0x0, ]); }
D
import vibe.d; import vibe.aws.aws; import vibe.aws.credentials; import vibe.aws.s3; import std.process : environment; import std.array; shared static this() { // setLogLevel(LogLevel.trace); //Use the environment variables "AWS_ACCESS_KEY_ID", //"AWS_SECRET_KEY", "S3_EXAMPLE_BUCKET" and "S3_EXAMPLE_REGION" //to configure this example. auto creds = new EnvAWSCredentials; auto bucket = environment.get("S3_EXAMPLE_BUCKET"); auto region = environment.get("S3_EXAMPLE_REGION"); auto cfg = ClientConfiguration(); cfg.maxErrorRetry = 1; auto s3 = new S3(bucket,region,creds,cfg); auto mutex = new TaskMutex; auto condition = new TaskCondition(mutex); int runningTasks = 0; setTimer(2.msecs, { synchronized(mutex) runningTasks++; scope(exit) synchronized(mutex) if (--runningTasks == 0) condition.notify(); auto directories = appender!string; auto files = appender!string; string marker = null; while(true) { auto result = s3.list("/",null,marker,2); foreach(directory; result.commonPrefixes) directories.put(directory~"\n"); foreach(file; result.resources) files.put(file.key~"\n"); if (result.isTruncated) marker = result.nextMarker; else break; } logInfo("List (w/ directories):\n" ~ directories.data ~ files.data); }); setTimer(1.msecs, { synchronized(mutex) runningTasks++; scope(exit) synchronized(mutex) if (--runningTasks == 0) condition.notify(); auto files = appender!string; string marker = null; while(true) { auto result = s3.list("/",null,marker); foreach(file; result.resources) files.put(file.key~"\n"); if (result.isTruncated) marker = result.nextMarker; else break; } logInfo("List (w/o directories):\n" ~ files.data); }); setTimer(1.seconds, { synchronized(mutex) runningTasks++; scope(exit) synchronized(mutex) if (--runningTasks == 0) condition.notify(); logInfo("Starting upload..."); s3.upload("test.txt", openFile("test.txt"), "text/plain"); logInfo("Upload complete."); }); setTimer(1.seconds, { synchronized(mutex) runningTasks++; scope(exit) synchronized(mutex) if (--runningTasks == 0) condition.notify(); logInfo("Starting download information ..."); s3.info("test.txt", (scope resp) { logInfo(resp.toString); foreach(string key, val; resp.headers) { logInfo("%s : %s", key, val); } }); logInfo("Download information complete."); }); setTimer(1.seconds, { synchronized(mutex) runningTasks++; scope(exit) synchronized(mutex) if (--runningTasks == 0) condition.notify(); logInfo("Starting download..."); s3.download("test.txt", "test2.txt"); logInfo("Download complete."); }); setTimer(1.seconds, { synchronized(mutex) while(true) { condition.wait(); if (runningTasks == 0) { exitEventLoop(); break; } } }); }
D
/Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Take.o : /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Deprecated.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Cancelable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObserverType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Reactive.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/RecursiveLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Errors.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Event.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Linux.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/martyn/Development/AppCoordinatorsLearning/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/Darwin.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Take~partial.swiftmodule : /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Deprecated.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Cancelable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObserverType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Reactive.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/RecursiveLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Errors.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Event.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Linux.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/martyn/Development/AppCoordinatorsLearning/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/Darwin.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Take~partial.swiftdoc : /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Deprecated.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Cancelable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObserverType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Reactive.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/RecursiveLock.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Errors.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Event.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Rx.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/Platform/Platform.Linux.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/martyn/Development/AppCoordinatorsLearning/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/martyn/Development/AppCoordinatorsLearning/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/martyn/Development/AppCoordinatorsLearning/DerivedData/AppCoordinatorsLearning/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/usr/include/Darwin.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/martyn/Downloads/Xcode9.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
<?xml version="1.0" encoding="ASCII"?> <di:SashWindowsMngr xmi:version="2.0" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi"> <pageList> <availablePage> <emfPageIdentifier href="bdbc3540-cb57-4c59-aa1d-dc5ec0f5ce80-BDD.notation#_WgFgVMsHEemMs-fn257ICA"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="bdbc3540-cb57-4c59-aa1d-dc5ec0f5ce80-BDD.notation#_WgFgVMsHEemMs-fn257ICA"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
func int c_npcisdown(var C_NPC slf) { if(Npc_IsInState(slf,zs_unconscious) || Npc_IsInState(slf,zs_magicsleep) || Npc_IsDead(slf)) { return TRUE; }; return FALSE; };
D
module test.codec.http2.encode; import hunt.http.Version; import hunt.http.codec.http.encode.HttpGenerator; import hunt.http.codec.http.model; import hunt.io.BufferUtils; import hunt.Assert; import hunt.util.Test; import hunt.io.ByteBuffer; import java.util.function.Supplier; import hunt.Assert.assertEquals; import hunt.Assert.assertThat; public class HttpGeneratorServerTest { public void test_0_9() { ByteBuffer header = BufferUtils.allocate(8096); ByteBuffer content = BufferUtils.toBuffer("0123456789"); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_0_9, 200, null, new HttpFields(), 10); info.getFields().add("Content-Type", "test/data"); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string response = BufferUtils.toString(header); BufferUtils.clear(header); response += BufferUtils.toString(content); BufferUtils.clear(content); result = gen.generateResponse(null, false, null, null, content, false); assertEquals(HttpGenerator.Result.SHUTDOWN_OUT, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(10, gen.getContentPrepared()); assertThat(response, not(containsString("200 OK"))); assertThat(response, not(containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT"))); assertThat(response, not(containsString("Content-Length: 10"))); assertThat(response, containsString("0123456789")); } public void testSimple() { ByteBuffer header = BufferUtils.allocate(8096); ByteBuffer content = BufferUtils.toBuffer("0123456789"); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 10); info.getFields().add("Content-Type", "test/data"); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); result = gen.generateResponse(info, false, header, null, content, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string response = BufferUtils.toString(header); BufferUtils.clear(header); response += BufferUtils.toString(content); BufferUtils.clear(content); result = gen.generateResponse(null, false, null, null, content, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(10, gen.getContentPrepared()); assertThat(response, containsString("HTTP/1.1 200 OK")); assertThat(response, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(response, containsString("Content-Length: 10")); assertThat(response, containsString("\r\n0123456789")); } public void test204() { ByteBuffer header = BufferUtils.allocate(8096); ByteBuffer content = BufferUtils.toBuffer("0123456789"); HttpGenerator gen = new HttpGenerator(); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 204, "Foo", new HttpFields(), 10); info.getFields().add("Content-Type", "test/data"); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); HttpGenerator.Result result = gen.generateResponse(info, false, header, null, content, true); assertEquals(gen.isNoContent(), true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string responseheaders = BufferUtils.toString(header); BufferUtils.clear(header); result = gen.generateResponse(null, false, null, null, content, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(responseheaders, containsString("HTTP/1.1 204 Foo")); assertThat(responseheaders, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(responseheaders, not(containsString("Content-Length: 10"))); //Note: the HttpConnection.process() method is responsible for actually //excluding the content from the response based on generator.isNoContent()==true } public void testComplexChars() { ByteBuffer header = BufferUtils.allocate(8096); ByteBuffer content = BufferUtils.toBuffer("0123456789"); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 10); info.getFields().add("Content-Type", "test/data;\r\nextra=value"); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); result = gen.generateResponse(info, false, header, null, content, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string response = BufferUtils.toString(header); BufferUtils.clear(header); response += BufferUtils.toString(content); BufferUtils.clear(content); result = gen.generateResponse(null, false, null, null, content, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(10, gen.getContentPrepared()); assertThat(response, containsString("HTTP/1.1 200 OK")); assertThat(response, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(response, containsString("Content-Type: test/data; extra=value")); assertThat(response, containsString("Content-Length: 10")); assertThat(response, containsString("\r\n0123456789")); } public void testSendServerXPoweredBy() { ByteBuffer header = BufferUtils.allocate(8096); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); HttpFields fields = new HttpFields(); fields.add(HttpHeader.SERVER, "SomeServer"); fields.add(HttpHeader.X_POWERED_BY, "SomePower"); HttpResponse infoF = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, fields, -1); string head; HttpGenerator gen = new HttpGenerator(true, true); gen.generateResponse(info, false, header, null, null, true); head = BufferUtils.toString(header); BufferUtils.clear(header); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, containsString("Server: Hunt(" ~ Version.value ~ ")")); assertThat(head, containsString("X-Powered-By: Hunt(" ~ Version.value ~ ")")); gen.reset(); gen.generateResponse(infoF, false, header, null, null, true); head = BufferUtils.toString(header); BufferUtils.clear(header); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, not(containsString("Server: Hunt(" ~ Version.value ~ ")"))); assertThat(head, containsString("Server: SomeServer")); assertThat(head, containsString("X-Powered-By: Hunt(" ~ Version.value ~ ")")); assertThat(head, containsString("X-Powered-By: SomePower")); gen.reset(); gen = new HttpGenerator(false, false); gen.generateResponse(info, false, header, null, null, true); head = BufferUtils.toString(header); BufferUtils.clear(header); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, not(containsString("Server: Hunt(" ~ Version.value ~ ")"))); assertThat(head, not(containsString("X-Powered-By: Hunt(" ~ Version.value ~ ")"))); gen.reset(); gen.generateResponse(infoF, false, header, null, null, true); head = BufferUtils.toString(header); BufferUtils.clear(header); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, not(containsString("Server: Hunt(" ~ Version.value ~ ")"))); assertThat(head, containsString("Server: SomeServer")); assertThat(head, not(containsString("X-Powered-By: Hunt(" ~ Version.value ~ ")"))); assertThat(head, containsString("X-Powered-By: SomePower")); gen.reset(); } public void testResponseIncorrectContentLength() { ByteBuffer header = BufferUtils.allocate(8096); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 10); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add("Content-Length", "11"); result = gen.generateResponse(info, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); try { gen.generateResponse(info, false, header, null, null, true); Assert.fail(); } catch (BadMessageException e) { assertEquals(e._code, 500); } } public void testResponseNoContentPersistent() { ByteBuffer header = BufferUtils.allocate(8096); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 0); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); result = gen.generateResponse(info, false, header, null, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string head = BufferUtils.toString(header); BufferUtils.clear(header); result = gen.generateResponse(null, false, null, null, null, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(0, gen.getContentPrepared()); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(head, containsString("Content-Length: 0")); } public void testResponseKnownNoContentNotPersistent() { ByteBuffer header = BufferUtils.allocate(8096); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 0); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add("Connection", "close"); result = gen.generateResponse(info, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); result = gen.generateResponse(info, false, header, null, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string head = BufferUtils.toString(header); BufferUtils.clear(header); result = gen.generateResponse(null, false, null, null, null, false); assertEquals(HttpGenerator.Result.SHUTDOWN_OUT, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(0, gen.getContentPrepared()); assertThat(head, containsString("HTTP/1.1 200 OK")); assertThat(head, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(head, containsString("Connection: close")); } public void testResponseUpgrade() { ByteBuffer header = BufferUtils.allocate(8096); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 101, null, new HttpFields(), -1); info.getFields().add("Upgrade", "WebSocket"); info.getFields().add("Connection", "Upgrade"); info.getFields().add("Sec-WebSocket-Accept", "123456789=="); result = gen.generateResponse(info, false, header, null, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string head = BufferUtils.toString(header); BufferUtils.clear(header); result = gen.generateResponse(info, false, null, null, null, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertEquals(0, gen.getContentPrepared()); assertThat(head, startsWith("HTTP/1.1 101 Switching Protocols")); assertThat(head, containsString("Upgrade: WebSocket\r\n")); assertThat(head, containsString("Connection: Upgrade\r\n")); } public void testResponseWithChunkedContent() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer chunk = BufferUtils.allocate(HttpGenerator.CHUNK_SIZE); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, chunk, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(chunk); BufferUtils.clear(chunk); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); out += BufferUtils.toString(chunk); BufferUtils.clear(chunk); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("Content-Length"))); assertThat(out, containsString("Transfer-Encoding: chunked")); assertThat(out, endsWith( "\r\n\r\nD\r\n" ~ "Hello World! \r\n" ~ "2E\r\n" ~ "The quick brown fox jumped over the lazy dog. \r\n" ~ "0\r\n" ~ "\r\n")); } public void testResponseWithHintedChunkedContent() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer chunk = BufferUtils.allocate(HttpGenerator.CHUNK_SIZE); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); gen.setPersistent(false); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add(HttpHeader.TRANSFER_ENCODING, HttpHeaderValue.CHUNKED); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, null, content1, false); assertEquals(HttpGenerator.Result.NEED_CHUNK, result); result = gen.generateResponse(null, false, null, chunk, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(chunk); BufferUtils.clear(chunk); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); out += BufferUtils.toString(chunk); BufferUtils.clear(chunk); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.SHUTDOWN_OUT, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("Content-Length"))); assertThat(out, containsString("Transfer-Encoding: chunked")); assertThat(out, endsWith( "\r\n\r\nD\r\n" ~ "Hello World! \r\n" ~ "2E\r\n" ~ "The quick brown fox jumped over the lazy dog. \r\n" ~ "0\r\n" ~ "\r\n")); } public void testResponseWithContentAndTrailer() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer chunk = BufferUtils.allocate(HttpGenerator.CHUNK_SIZE); ByteBuffer trailer = BufferUtils.allocate(4096); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); gen.setPersistent(false); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add(HttpHeader.TRANSFER_ENCODING, HttpHeaderValue.CHUNKED); info.setTrailerSupplier(new Supplier<HttpFields>() { override public HttpFields get() { HttpFields trailer = new HttpFields(); trailer.add("T-Name0", "T-ValueA"); trailer.add("T-Name0", "T-ValueB"); trailer.add("T-Name1", "T-ValueC"); return trailer; } }); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, null, content1, false); assertEquals(HttpGenerator.Result.NEED_CHUNK, result); result = gen.generateResponse(null, false, null, chunk, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(chunk); BufferUtils.clear(chunk); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.NEED_CHUNK_TRAILER, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, trailer, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); out += BufferUtils.toString(trailer); BufferUtils.clear(trailer); result = gen.generateResponse(null, false, null, trailer, null, true); assertEquals(HttpGenerator.Result.SHUTDOWN_OUT, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("Content-Length"))); assertThat(out, containsString("Transfer-Encoding: chunked")); assertThat(out, endsWith( "\r\n\r\nD\r\n" ~ "Hello World! \r\n" ~ "2E\r\n" ~ "The quick brown fox jumped over the lazy dog. \r\n" ~ "0\r\n" ~ "T-Name0: T-ValueA\r\n" ~ "T-Name0: T-ValueB\r\n" ~ "T-Name1: T-ValueC\r\n" ~ "\r\n")); } public void testResponseWithTrailer() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer chunk = BufferUtils.allocate(HttpGenerator.CHUNK_SIZE); ByteBuffer trailer = BufferUtils.allocate(4096); HttpGenerator gen = new HttpGenerator(); gen.setPersistent(false); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add(HttpHeader.TRANSFER_ENCODING, HttpHeaderValue.CHUNKED); info.setTrailerSupplier(new Supplier<HttpFields>() { override public HttpFields get() { HttpFields trailer = new HttpFields(); trailer.add("T-Name0", "T-ValueA"); trailer.add("T-Name0", "T-ValueB"); trailer.add("T-Name1", "T-ValueC"); return trailer; } }); result = gen.generateResponse(info, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.NEED_CHUNK_TRAILER, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, chunk, null, true); assertEquals(HttpGenerator.Result.NEED_CHUNK_TRAILER, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, trailer, null, true); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); out += BufferUtils.toString(trailer); BufferUtils.clear(trailer); result = gen.generateResponse(null, false, null, trailer, null, true); assertEquals(HttpGenerator.Result.SHUTDOWN_OUT, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("Content-Length"))); assertThat(out, containsString("Transfer-Encoding: chunked")); assertThat(out, endsWith( "\r\n\r\n" ~ "0\r\n" ~ "T-Name0: T-ValueA\r\n" ~ "T-Name0: T-ValueB\r\n" ~ "T-Name1: T-ValueC\r\n" ~ "\r\n")); } public void testResponseWithKnownContentLengthFromMetaData() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), 59); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, null, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("chunked"))); assertThat(out, containsString("Content-Length: 59")); assertThat(out, containsString("\r\n\r\nHello World! The quick brown fox jumped over the lazy dog. ")); } public void testResponseWithKnownContentLengthFromHeader() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), -1); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); info.getFields().add("Content-Length", "" ~ (content0.remaining() + content1.remaining())); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); string out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, null, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("chunked"))); assertThat(out, containsString("Content-Length: 59")); assertThat(out, containsString("\r\n\r\nHello World! The quick brown fox jumped over the lazy dog. ")); } public void test100ThenResponseWithContent() { ByteBuffer header = BufferUtils.allocate(4096); ByteBuffer content0 = BufferUtils.toBuffer("Hello World! "); ByteBuffer content1 = BufferUtils.toBuffer("The quick brown fox jumped over the lazy dog. "); HttpGenerator gen = new HttpGenerator(); HttpGenerator.Result result = gen.generateResponse(HttpGenerator.CONTINUE_100_INFO, false, null, null, null, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(HttpGenerator.CONTINUE_100_INFO, false, header, null, null, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMPLETING_1XX, gen.getState()); string out = BufferUtils.toString(header); result = gen.generateResponse(null, false, null, null, null, false); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.START, gen.getState()); assertThat(out, containsString("HTTP/1.1 100 Continue")); result = gen.generateResponse(null, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_INFO, result); assertEquals(HttpGenerator.State.START, gen.getState()); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_1, 200, null, new HttpFields(), BufferUtils.length(content0) + BufferUtils.length(content1)); info.getFields().add("Last-Modified", DateGenerator.__01Jan1970); result = gen.generateResponse(info, false, null, null, content0, false); assertEquals(HttpGenerator.Result.NEED_HEADER, result); assertEquals(HttpGenerator.State.START, gen.getState()); result = gen.generateResponse(info, false, header, null, content0, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out = BufferUtils.toString(header); BufferUtils.clear(header); out += BufferUtils.toString(content0); BufferUtils.clear(content0); result = gen.generateResponse(null, false, null, null, content1, false); assertEquals(HttpGenerator.Result.FLUSH, result); assertEquals(HttpGenerator.State.COMMITTED, gen.getState()); out += BufferUtils.toString(content1); BufferUtils.clear(content1); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.CONTINUE, result); assertEquals(HttpGenerator.State.COMPLETING, gen.getState()); result = gen.generateResponse(null, false, null, null, null, true); assertEquals(HttpGenerator.Result.DONE, result); assertEquals(HttpGenerator.State.END, gen.getState()); assertThat(out, containsString("HTTP/1.1 200 OK")); assertThat(out, containsString("Last-Modified: Thu, 01 Jan 1970 00:00:00 GMT")); assertThat(out, not(containsString("chunked"))); assertThat(out, containsString("Content-Length: 59")); assertThat(out, containsString("\r\n\r\nHello World! The quick brown fox jumped over the lazy dog. ")); } public void testConnectionKeepAliveWithAdditionalCustomValue() { HttpGenerator generator = new HttpGenerator(); HttpFields fields = new HttpFields(); fields.put(HttpHeader.CONNECTION, HttpHeaderValue.KEEP_ALIVE); string customValue = "test"; fields.add(HttpHeader.CONNECTION, customValue); HttpResponse info = new HttpResponse(HttpVersion.HTTP_1_0, 200, "OK", fields, -1); ByteBuffer header = BufferUtils.allocate(4096); HttpGenerator.Result result = generator.generateResponse(info, false, header, null, null, true); Assert.assertSame(HttpGenerator.Result.FLUSH, result); string headers = BufferUtils.toString(header); Assert.assertTrue(headers.contains(HttpHeaderValue.KEEP_ALIVE.asString())); Assert.assertTrue(headers.contains(customValue)); } }
D
/Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Intermediates/SceneKitTemplate.build/Debug-iphonesimulator/SceneKitTemplate.build/Objects-normal/x86_64/TimeInterval.o : /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/TimeInterval.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/AppDelegate.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneComponentFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Geometry.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Camera.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Globals.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GroupedEntity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SceneController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Light.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStore.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GenericStructs.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneDebugComponents.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/AlertController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/GameScene.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreAccess.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Validation.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentSceneView.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/User.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Entity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ReplaceSegue.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModel.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignInViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LightFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreParser.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/RootNavigationController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModelController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignUpViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/MotionLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Dispatch.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LayoutLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/OnboardingViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/CameraFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/voxels/Documents/Scrap/Aiko_Swift/Aiko/Pods/Firebase/Headers/module.modulemap /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/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SpriteKit.swiftmodule /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/Firebase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTask.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFExecutor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkTarget.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkResolving.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Intermediates/SceneKitTemplate.build/Debug-iphonesimulator/SceneKitTemplate.build/Objects-normal/x86_64/TimeInterval~partial.swiftmodule : /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/TimeInterval.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/AppDelegate.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneComponentFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Geometry.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Camera.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Globals.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GroupedEntity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SceneController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Light.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStore.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GenericStructs.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneDebugComponents.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/AlertController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/GameScene.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreAccess.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Validation.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentSceneView.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/User.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Entity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ReplaceSegue.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModel.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignInViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LightFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreParser.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/RootNavigationController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModelController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignUpViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/MotionLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Dispatch.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LayoutLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/OnboardingViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/CameraFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/voxels/Documents/Scrap/Aiko_Swift/Aiko/Pods/Firebase/Headers/module.modulemap /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/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SpriteKit.swiftmodule /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/Firebase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTask.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFExecutor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkTarget.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkResolving.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Intermediates/SceneKitTemplate.build/Debug-iphonesimulator/SceneKitTemplate.build/Objects-normal/x86_64/TimeInterval~partial.swiftdoc : /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/TimeInterval.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/AppDelegate.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneComponentFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Geometry.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Camera.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Globals.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GroupedEntity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SceneController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Light.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStore.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GenericStructs.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneDebugComponents.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/AlertController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/GameScene.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreAccess.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Validation.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentSceneView.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/SceneFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/User.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ParentViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/Entity.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/ReplaceSegue.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModel.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignInViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LightFactory.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/RemoteStoreParser.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/RootNavigationController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/GeometryModelController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/SignUpViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/MotionLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Helpers/Dispatch.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/LayoutLibrary.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/View/OnboardingViewController.swift /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/SceneKitTemplate/Model/CameraFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/voxels/Documents/Scrap/Aiko_Swift/Aiko/Pods/Firebase/Headers/module.modulemap /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/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SpriteKit.swiftmodule /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Pods/Firebase/Headers/Firebase.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFTask.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFExecutor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFCancellationToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFURL.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFMeasurementEvent.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkTarget.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView_Internal.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkResolving.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/BFAppLink.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Headers/Bolts-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/Bolts/Bolts.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/voxels/Dropbox/Current/SceneKit/SceneKitTemplate/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap
D
/* * sampler.h * GLB * March 02, 2013 * Brandon Surmanski */ module c.gl.glb.sampler; import c.gl.gl; import c.gl.glext; import c.gl.glb.glb_types; extern(C): enum { GLB_NEAREST = GL_NEAREST, GLB_LINEAR = GL_LINEAR, GLB_NEAREST_MIPMAP_NEAREST = GL_NEAREST_MIPMAP_NEAREST, GLB_LINEAR_MIPMAP_NEAREST = GL_LINEAR_MIPMAP_NEAREST, GLB_NEAREST_MIPMAP_LINEAR = GL_NEAREST_MIPMAP_LINEAR, GLB_LINEAR_MIPMAP_LINEAR = GL_LINEAR_MIPMAP_LINEAR }; enum { GLB_CLAMP_TO_EDGE = GL_CLAMP_TO_EDGE, GLB_CLAMP = GL_CLAMP_TO_EDGE, GLB_MIRRORED_REPEAT = GL_MIRRORED_REPEAT, GLB_MIRRORED = GL_MIRRORED_REPEAT, GLB_REPEAT = GL_REPEAT, GLB_CLAMP_TO_BORDER = GL_CLAMP_TO_BORDER }; enum { GLB_COMPARE_REF_TO_TEXTURE = GL_COMPARE_REF_TO_TEXTURE, GLB_NONE = GL_NONE }; enum { GLB_LEQUAL = GL_LEQUAL, GLB_GEQUAL = GL_GEQUAL, GLB_LESS = GL_LESS, GLB_GREATER = GL_GREATER, GLB_EQUAL = GL_EQUAL, GLB_NOTEQUAL = GL_NOTEQUAL, GLB_ALWAYS = GL_ALWAYS, GLB_NEVER = GL_NEVER, }; GLBSampler* glbCreateSampler (int *errcode_ret); void glbDeleteSampler (GLBSampler *sampler); void glbRetainSampler (GLBSampler *sampler); void glbReleaseSampler(GLBSampler *sampler); void glbSamplerFilter (GLBSampler *sampler, int min, int mag); void glbSamplerLOD (GLBSampler *sampler, float minlod, float maxlod); void glbSamplerWrap (GLBSampler *sampler, int s, int t, int r); void glbSamplerCompare(GLBSampler *sampler, int m, int f);
D
# FIXED utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/utils/lwiplib.c utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdint.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/_stdint40.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/stdint.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/cdefs.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/_types.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/machine/_types.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/machine/_stdint.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/_stdint.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdbool.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/utils/lwiplib.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/opt.h utils/lwiplib.obj: C:/Users/nachi/workspace_v9/freertos_demo/lwipopts.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/debug.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/arch.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/cc.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/opt.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/api.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netifapi.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/mem.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/pbuf.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/err.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/def.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip_addr.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netif.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/icmp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/udp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcpip.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/api_msg.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/sys.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/sys_arch.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/FreeRTOS.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stddef.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/_ti_config.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/linkage.h utils/lwiplib.obj: C:/Users/nachi/workspace_v9/freertos_demo/FreeRTOSConfig.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/projdefs.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/portable.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/deprecated_definitions.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/portable/CCS/ARM_CM4F/portmacro.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/mpu_wrappers.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/task.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/list.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/queue.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/semphr.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/timers.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/sockets.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/stats.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcp_impl.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/api_lib.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/api_msg.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/err.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netbuf.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netdb.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netdb.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netifapi.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/sockets.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/tcpip.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/init.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/netif/etharp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/netif/ppp_oe.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/def.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/dhcp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/dhcp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/autoip.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/dns.h utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/string.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/dns.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/init.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/raw.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp_msg.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp_structs.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/igmp.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/mem.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/memp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip_frag.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/netif.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/pbuf.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/perf.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/raw.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/stats.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/sys.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp_in.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/inet_chksum.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp_out.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/timers.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/udp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/autoip.c utils/lwiplib.obj: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdlib.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/icmp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/igmp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/inet.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/inet.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/inet_chksum.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip_addr.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip_frag.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/asn1_dec.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/asn1_enc.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/mib2.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/mib_structs.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/msg_in.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/msg_out.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/etharp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/auth.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/chap.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/chpms.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/fsm.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ipcp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/lcp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/magic.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/md5.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/pap.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ppp.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ppp_oe.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/randm.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/vj.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/perf.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/sys_arch.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/netif/tiva-tm4c129.c utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/netif/tivaif.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_emac.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_ints.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_memmap.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_types.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/emac.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/interrupt.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/sysctl.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_nvic.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/debug.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/rom.h utils/lwiplib.obj: C:/ti/tivaware_c_series_2_1_4_178/driverlib/rom_map.h C:/ti/tivaware_c_series_2_1_4_178/utils/lwiplib.c: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdint.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/_stdint40.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/stdint.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/cdefs.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/_types.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/machine/_types.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/machine/_stdint.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/sys/_stdint.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdbool.h: C:/ti/tivaware_c_series_2_1_4_178/utils/lwiplib.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/opt.h: C:/Users/nachi/workspace_v9/freertos_demo/lwipopts.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/debug.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/arch.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/cc.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/opt.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/api.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netifapi.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/mem.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/pbuf.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/err.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/def.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip_addr.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netif.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/icmp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/udp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcpip.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/api_msg.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/sys.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/sys_arch.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/FreeRTOS.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stddef.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/_ti_config.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/linkage.h: C:/Users/nachi/workspace_v9/freertos_demo/FreeRTOSConfig.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/projdefs.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/portable.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/deprecated_definitions.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/portable/CCS/ARM_CM4F/portmacro.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/mpu_wrappers.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/task.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/list.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/queue.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/FreeRTOS/Source/include/semphr.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/timers.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/sockets.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/stats.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/tcp_impl.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/api_lib.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/api_msg.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/err.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netbuf.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netdb.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/netdb.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/netifapi.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/sockets.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/api/tcpip.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/init.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/netif/etharp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/netif/ppp_oe.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/def.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/dhcp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/dhcp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/autoip.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/dns.h: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/string.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/dns.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/init.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/raw.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp_msg.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/snmp_structs.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/igmp.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/mem.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/memp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/ip_frag.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/lwip/memp_std.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/netif.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/pbuf.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/arch/perf.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/raw.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/stats.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/sys.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp_in.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/inet_chksum.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/tcp_out.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/timers.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/udp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/autoip.c: C:/ti/ccs900/ccs/tools/compiler/ti-cgt-arm_18.12.1.LTS/include/stdlib.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/icmp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/igmp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/inet.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/include/ipv4/lwip/inet.h: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/inet_chksum.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip_addr.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/ipv4/ip_frag.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/asn1_dec.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/asn1_enc.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/mib2.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/mib_structs.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/msg_in.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/core/snmp/msg_out.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/etharp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/auth.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/chap.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/chpms.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/fsm.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ipcp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/lcp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/magic.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/md5.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/pap.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ppp.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/ppp_oe.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/randm.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/src/netif/ppp/vj.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/perf.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/sys_arch.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/netif/tiva-tm4c129.c: C:/ti/tivaware_c_series_2_1_4_178/third_party/lwip-1.4.1/ports/tiva-tm4c129/include/netif/tivaif.h: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_emac.h: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_ints.h: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_memmap.h: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_types.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/emac.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/interrupt.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/sysctl.h: C:/ti/tivaware_c_series_2_1_4_178/inc/hw_nvic.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/debug.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/rom.h: C:/ti/tivaware_c_series_2_1_4_178/driverlib/rom_map.h:
D
the parity of odd numbers (not divisible by two) eccentricity that is not easily explained
D
/Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/RecursiveLock.o : /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Leex/TableView_Test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/RecursiveLock~partial.swiftmodule : /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Leex/TableView_Test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/RecursiveLock~partial.swiftdoc : /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Leex/TableView_Test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; import std.algorithm: canFind, sort; import std.conv; struct Point { int x; int y; } struct World { Point[] entities; } struct LinkedList(T) { T value; typeof(this)* next; } const int WORLD_SIZE = 10; void main() { auto world = initWorld(); Point orig = { 3, 3 }; Point dest = { 8, 6 }; auto finder = new StupidFinder(world); auto results = finder.find(orig, dest); foreach(result; results) { writeln("result:", result); writeln(result.path.toString()); } } bool isClean(World world, Point p) { return p.x > -1 && p.y > -1 && p.x < WORLD_SIZE && p.y < WORLD_SIZE && ! world.entities.canFind(p); } Point add(Point p, Point p2) { return Point(p.x + p2.x, p.y + p2.y); } World initWorld() { auto entities = new Point[6]; for(int i=0; i<entities.length; i++) { entities[i] = Point(7, i + 3); } return World(entities); } alias StepCosts = double[Point]; alias Path = LinkedList!Point; string toString(Path* path) { if (path.next) { return "(" ~ to!string(path.value) ~ "," ~ ((*path).next).toString() ~ ")"; } else { return "(" ~ to!string(path.value) ~ ")"; } } struct SearchResult { Path* path; double cost; } class StupidFinder { StepCosts stepCosts; double[Point] marks; World world; this(World world) { this.world = world; stepCosts = getStepCosts(); } SearchResult[] find(Point orig, Point dest) { auto start = new Path(orig, null); return bestDist(orig, dest, start, 0); } SearchResult[] bestDist(Point p, Point dest, Path* path, double accCost) { if (p == dest){ return [SearchResult(path, accCost)]; } else { auto nextSteps = new Point[0]; foreach(step, stepCost; stepCosts) { auto next = p.add(step); auto oldCost = marks.get(next, 0); auto cost = accCost + stepCost; if (world.isClean(next) && (oldCost == 0 || oldCost > cost)) { marks[next] = cost; nextSteps ~= next; } } auto searchResults = new SearchResult[0]; foreach(next; nextSteps){ auto newPath = new Path(next, path); auto res = bestDist(next, dest, newPath, marks[next]); if (res.length > 0) { searchResults ~= res; } } if (searchResults.length == 0) { return []; } else { searchResults.sort!((x, y) => x.cost < y.cost); return [searchResults[0]]; } } } StepCosts getStepCosts() { StepCosts result; foreach(e; [Point(1, 0), Point(0, 1), Point(0, -1), Point(-1, 0)]){ result[e] = 1.0; } foreach(e; [Point(1, 1) , Point(1, -1) , Point(-1, 1) , Point(-1, -1)]){ result[e] = 1.414213; } return result; } }
D
extern (C): /* sokol_fetch.h -- asynchronous data loading/streaming Project URL: https://github.com/floooh/sokol Do this: #define SOKOL_IMPL before you include this file in *one* C or C++ file to create the implementation. Optionally provide the following defines with your own implementations: SOKOL_ASSERT(c) - your own assert macro (default: assert(c)) SOKOL_MALLOC(s) - your own malloc function (default: malloc(s)) SOKOL_FREE(p) - your own free function (default: free(p)) SOKOL_LOG(msg) - your own logging function (default: puts(msg)) SOKOL_UNREACHABLE() - a guard macro for unreachable code (default: assert(false)) SOKOL_API_DECL - public function declaration prefix (default: extern) SOKOL_API_IMPL - public function implementation prefix (default: -) SFETCH_MAX_PATH - max length of UTF-8 filesystem path / URL (default: 1024 bytes) SFETCH_MAX_USERDATA_UINT64 - max size of embedded userdata in number of uint64_t, userdata will be copied into an 8-byte aligned memory region associated with each in-flight request, default value is 16 (== 128 bytes) SFETCH_MAX_CHANNELS - max number of IO channels (default is 16, also see sfetch_desc_t.num_channels) If sokol_fetch.h is compiled as a DLL, define the following before including the declaration or implementation: SOKOL_DLL On Windows, SOKOL_DLL will define SOKOL_API_DECL as __declspec(dllexport) or __declspec(dllimport) as needed. NOTE: The following documentation talks a lot about "IO threads". Actual threads are only used on platforms where threads are available. The web version (emscripten/wasm) doesn't use POSIX-style threads, but instead asynchronous Javascript calls chained together by callbacks. The actual source code differences between the two approaches have been kept to a minimum though. FEATURE OVERVIEW ================ - Asynchronously load complete files, or stream files incrementally via HTTP (on web platform), or the local file system (on native platforms) - Request / response-callback model, user code sends a request to initiate a file-load, sokol_fetch.h calls the response callback on the same thread when data is ready or user-code needs to respond otherwise - Not limited to the main-thread or a single thread: A sokol-fetch "context" can live on any thread, and multiple contexts can operate side-by-side on different threads. - Memory management for data buffers is under full control of user code. sokol_fetch.h won't allocate memory after it has been setup. - Automatic rate-limiting guarantees that only a maximum number of requests is processed at any one time, allowing a zero-allocation model, where all data is streamed into fixed-size, pre-allocated buffers. - Active Requests can be paused, continued and cancelled from anywhere in the user-thread which sent this request. TL;DR EXAMPLE CODE ================== This is the most-simple example code to load a single data file with a known maximum size: (1) initialize sokol-fetch with default parameters (but NOTE that the default setup parameters provide a safe-but-slow "serialized" operation): sfetch_setup(&(sfetch_desc_t){ 0 }); (2) send a fetch-request to load a file from the current directory into a buffer big enough to hold the entire file content: static uint8_t buf[MAX_FILE_SIZE]; sfetch_send(&(sfetch_request_t){ .path = "my_file.txt", .callback = response_callback, .buffer_ptr = buf, .buffer_size = sizeof(buf) }); (3) write a 'response-callback' function, this will be called whenever the user-code must respond to state changes of the request (most importantly when data has been loaded): void response_callback(const sfetch_response_t* response) { if (response->fetched) { // data has been loaded, and is available via // 'buffer_ptr' and 'fetched_size': const void* data = response->buffer_ptr; uint64_t num_bytes = response->fetched_size; } if (response->finished) { // the 'finished'-flag is the catch-all flag for when the request // is finished, no matter if loading was successful or failed, // so any cleanup-work should happen here... ... if (response->failed) { // 'failed' is true in (addition to 'finished') if something // went wrong (file doesn't exist, or less bytes could be // read from the file than expected) } } } (4) finally, call sfetch_shutdown() at the end of the application: sfetch_shutdown() There's many other loading-scenarios, for instance one doesn't have to provide a buffer upfront, this can also happen in the response callback. Or it's possible to stream huge files into small fixed-size buffer, complete with pausing and continuing the download. It's also possible to improve the 'pipeline throughput' by fetching multiple files in parallel, but at the same time limit the maximum number of requests that can be 'in-flight'. For how this all works, please read the following documentation sections :) API DOCUMENTATION ================= void sfetch_setup(const sfetch_desc_t* desc) -------------------------------------------- First call sfetch_setup(const sfetch_desc_t*) on any thread before calling any other sokol-fetch functions on the same thread. sfetch_setup() takes a pointer to an sfetch_desc_t struct with setup parameters. Parameters which should use their default values must be zero-initialized: - max_requests (uint32_t): The maximum number of requests that can be alive at any time, the default is 128. - num_channels (uint32_t): The number of "IO channels" used to parallelize and prioritize requests, the default is 1. - num_lanes (uint32_t): The number of "lanes" on a single channel. Each request which is currently 'inflight' on a channel occupies one lane until the request is finished. This is used for automatic rate-limiting (search below for CHANNELS AND LANES for more details). The default number of lanes is 1. For example, to setup sokol-fetch for max 1024 active requests, 4 channels, and 8 lanes per channel in C99: sfetch_setup(&(sfetch_desc_t){ .max_requests = 1024, .num_channels = 4, .num_lanes = 8 }); sfetch_setup() is the only place where sokol-fetch will allocate memory. NOTE that the default setup parameters of 1 channel and 1 lane per channel has a very poor 'pipeline throughput' since this essentially serializes IO requests (a new request will only be processed when the last one has finished), and since each request needs at least one roundtrip between the user- and IO-thread the throughput will be at most one request per frame. Search for LATENCY AND THROUGHPUT below for more information on how to increase throughput. NOTE that you can call sfetch_setup() on multiple threads, each thread will get its own thread-local sokol-fetch instance, which will work independently from sokol-fetch instances on other threads. void sfetch_shutdown(void) -------------------------- Call sfetch_shutdown() at the end of the application to stop any IO threads and free all memory that was allocated in sfetch_setup(). sfetch_handle_t sfetch_send(const sfetch_request_t* request) ------------------------------------------------------------ Call sfetch_send() to start loading data, the function takes a pointer to an sfetch_request_t struct with request parameters and returns a sfetch_handle_t identifying the request for later calls. At least a path/URL and callback must be provided: sfetch_handle_t h = sfetch_send(&(sfetch_request_t){ .path = "my_file.txt", .callback = my_response_callback }); sfetch_send() will return an invalid handle if no request can be allocated from the internal pool because all available request items are 'in-flight'. The sfetch_request_t struct contains the following parameters (optional parameters that are not provided must be zero-initialized): - path (const char*, required) Pointer to an UTF-8 encoded C string describing the filesystem path or HTTP URL. The string will be copied into an internal data structure, and passed "as is" (apart from any required encoding-conversions) to fopen(), CreateFileW() or XMLHttpRequest. The maximum length of the string is defined by the SFETCH_MAX_PATH configuration define, the default is 1024 bytes including the 0-terminator byte. - callback (sfetch_callback_t, required) Pointer to a response-callback function which is called when the request needs "user code attention". Search below for REQUEST STATES AND THE RESPONSE CALLBACK for detailed information about handling responses in the response callback. - channel (uint32_t, optional) Index of the IO channel where the request should be processed. Channels are used to parallelize and prioritize requests relative to each other. Search below for CHANNELS AND LANES for more information. The default channel is 0. - chunk_size (uint32_t, optional) The chunk_size member is used for streaming data incrementally in small chunks. After 'chunk_size' bytes have been loaded into to the streaming buffer, the response callback will be called with the buffer containing the fetched data for the current chunk. If chunk_size is 0 (the default), than the whole file will be loaded. Please search below for CHUNK SIZE AND HTTP COMPRESSION for important information how streaming works if the web server is serving compressed data. - buffer_ptr, buffer_size (void*, uint64_t, optional) This is a optional pointer/size pair describing a chunk of memory where data will be loaded into (if no buffer is provided upfront, this must happen in the response callback). If a buffer is provided, it must be big enough to either hold the entire file (if chunk_size is zero), or the *uncompressed* data for one downloaded chunk (if chunk_size is > 0). - user_data_ptr, user_data_size (const void*, uint32_t, both optional) user_data_ptr and user_data_size describe an optional POD (plain-old-data) associated with the request which will be copied(!) into an internal memory block. The maximum default size of this memory block is 128 bytes (but can be overridden by defining SFETCH_MAX_USERDATA_UINT64 before including the notification, note that this define is in "number of uint64_t", not number of bytes). The user-data block is 8-byte aligned, and will be copied via memcpy() (so don't put any C++ "smart members" in there). NOTE that request handles are strictly thread-local and only unique within the thread the handle was created on, and all function calls involving a request handle must happen on that same thread. bool sfetch_handle_valid(sfetch_handle_t request) ------------------------------------------------- This checks if the provided request handle is valid, and is associated with a currently active request. It will return false if: - sfetch_send() returned an invalid handle because it couldn't allocate a new request from the internal request pool (because they're all in flight) - the request associated with the handle is no longer alive (because it either finished successfully, or the request failed for some reason) void sfetch_dowork(void) ------------------------ Call sfetch_dowork(void) in regular intervals (for instance once per frame) on the same thread as sfetch_setup() to "turn the gears". If you are sending requests but never hear back from them in the response callback function, then the most likely reason is that you forgot to add the call to sfetch_dowork() in the per-frame function. sfetch_dowork() roughly performs the following work: - any new requests that have been sent with sfetch_send() since the last call to sfetch_dowork() will be dispatched to their IO channels and assigned a free lane. If all lanes on that channel are occupied by requests 'in flight', incoming requests must wait until a lane becomes available - for all new requests which have been enqueued on a channel which don't already have a buffer assigned the response callback will be called with (response->dispatched == true) so that the response callback can inspect the dynamically assigned lane and bind a buffer to the request (search below for CHANNELS AND LANE for more info) - a state transition from "user side" to "IO thread side" happens for each new request that has been dispatched to a channel. - requests dispatched to a channel are either forwarded into that channel's worker thread (on native platforms), or cause an HTTP request to be sent via an asynchronous XMLHttpRequest (on the web platform) - for all requests which have finished their current IO operation a state transition from "IO thread side" to "user side" happens, and the response callback is called so that the fetched data can be processed. - requests which are completely finished (either because the entire file content has been loaded, or they are in the FAILED state) are freed (this just changes their state in the 'request pool', no actual memory is freed) - requests which are not yet finished are fed back into the 'incoming' queue of their channel, and the cycle starts again, this only happens for requests which perform data streaming (not load the entire file at once). void sfetch_cancel(sfetch_handle_t request) ------------------------------------------- This cancels a request in the next sfetch_dowork() call and invokes the response callback with (response.failed == true) and (response.finished == true) to give user-code a chance to do any cleanup work for the request. If sfetch_cancel() is called for a request that is no longer alive, nothing bad will happen (the call will simply do nothing). void sfetch_pause(sfetch_handle_t request) ------------------------------------------ This pauses an active request in the next sfetch_dowork() call and puts it into the PAUSED state. For all requests in PAUSED state, the response callback will be called in each call to sfetch_dowork() to give user-code a chance to CONTINUE the request (by calling sfetch_continue()). Pausing a request makes sense for dynamic rate-limiting in streaming scenarios (like video/audio streaming with a fixed number of streaming buffers. As soon as all available buffers are filled with download data, downloading more data must be prevented to allow video/audio playback to catch up and free up empty buffers for new download data. void sfetch_continue(sfetch_handle_t request) --------------------------------------------- Continues a paused request, counterpart to the sfetch_pause() function. void sfetch_bind_buffer(sfetch_handle_t request, void* buffer_ptr, uint64_t buffer_size) ---------------------------------------------------------------------------------------- This "binds" a new buffer (pointer/size pair) to an active request. The function *must* be called from inside the response-callback, and there must not already be another buffer bound. void* sfetch_unbind_buffer(sfetch_handle_t request) --------------------------------------------------- This removes the current buffer binding from the request and returns a pointer to the previous buffer (useful if the buffer was dynamically allocated and it must be freed). sfetch_unbind_buffer() *must* be called from inside the response callback. The usual code sequence to bind a different buffer in the response callback might look like this: void response_callback(const sfetch_response_t* response) { if (response.fetched) { ... // switch to a different buffer (in the FETCHED state it is // guaranteed that the request has a buffer, otherwise it // would have gone into the FAILED state void* old_buf_ptr = sfetch_unbind_buffer(response.handle); free(old_buf_ptr); void* new_buf_ptr = malloc(new_buf_size); sfetch_bind_buffer(response.handle, new_buf_ptr, new_buf_size); } if (response.finished) { // unbind and free the currently associated buffer, // the buffer pointer could be null if the request has failed // NOTE that it is legal to call free() with a nullptr, // this happens if the request failed to open its file // and never goes into the OPENED state void* buf_ptr = sfetch_unbind_buffer(response.handle); free(buf_ptr); } } sfetch_desc_t sfetch_desc(void) ------------------------------- sfetch_desc() returns a copy of the sfetch_desc_t struct passed to sfetch_setup(), with zero-initialized values replaced with their default values. int sfetch_max_userdata_bytes(void) ----------------------------------- This returns the value of the SFETCH_MAX_USERDATA_UINT64 config define, but in number of bytes (so SFETCH_MAX_USERDATA_UINT64*8). int sfetch_max_path(void) ------------------------- Returns the value of the SFETCH_MAX_PATH config define. REQUEST STATES AND THE RESPONSE CALLBACK ======================================== A request goes through a number of states during its lifetime. Depending on the current state of a request, it will be 'owned' either by the "user-thread" (where the request was sent) or an IO thread. You can think of a request as "ping-ponging" between the IO thread and user thread, any actual IO work is done on the IO thread, while invocations of the response-callback happen on the user-thread. All state transitions and callback invocations happen inside the sfetch_dowork() function. An active request goes through the following states: ALLOCATED (user-thread) The request has been allocated in sfetch_send() and is waiting to be dispatched into its IO channel. When this happens, the request will transition into the DISPATCHED state. DISPATCHED (IO thread) The request has been dispatched into its IO channel, and a lane has been assigned to the request. If a buffer was provided in sfetch_send() the request will immediately transition into the FETCHING state and start loading data into the buffer. If no buffer was provided in sfetch_send(), the response callback will be called with (response->dispatched == true), so that the response callback can bind a buffer to the request. Binding the buffer in the response callback makes sense if the buffer isn't dynamically allocated, but instead a pre-allocated buffer must be selected from the request's channel and lane. Note that it isn't possible to get a file size in the response callback which would help with allocating a buffer of the right size, this is because it isn't possible in HTTP to query the file size before the entire file is downloaded (...when the web server serves files compressed). If opening the file failed, the request will transition into the FAILED state with the error code SFETCH_ERROR_FILE_NOT_FOUND. FETCHING (IO thread) While a request is in the FETCHING state, data will be loaded into the user-provided buffer. If no buffer was provided, the request will go into the FAILED state with the error code SFETCH_ERROR_NO_BUFFER. If a buffer was provided, but it is too small to contain the fetched data, the request will go into the FAILED state with error code SFETCH_ERROR_BUFFER_TOO_SMALL. If less data can be read from the file than expected, the request will go into the FAILED state with error code SFETCH_ERROR_UNEXPECTED_EOF. If loading data into the provided buffer works as expected, the request will go into the FETCHED state. FETCHED (user thread) The request goes into the FETCHED state either when the entire file has been loaded into the provided buffer (when request.chunk_size == 0), or a chunk has been loaded (and optionally decompressed) into the buffer (when request.chunk_size > 0). The response callback will be called so that the user-code can process the loaded data using the following sfetch_response_t struct members: - fetched_size: the number of bytes in the provided buffer - buffer_ptr: pointer to the start of fetched data - fetched_offset: the byte offset of the loaded data chunk in the overall file (this is only set to a non-zero value in a streaming scenario) Once all file data has been loaded, the 'finished' flag will be set in the response callback's sfetch_response_t argument. After the user callback returns, and all file data has been loaded (response.finished flag is set) the request has reached its end-of-life and will recycled. Otherwise, if there's still data to load (because streaming was requested by providing a non-zero request.chunk_size), the request will switch back to the FETCHING state to load the next chunk of data. Note that it is ok to associate a different buffer or buffer-size with the request by calling sfetch_bind_buffer() in the response-callback. To check in the response callback for the FETCHED state, and independently whether the request is finished: void response_callback(const sfetch_response_t* response) { if (response->fetched) { // request is in FETCHED state, the loaded data is available // in .buffer_ptr, and the number of bytes that have been // loaded in .fetched_size: const void* data = response->buffer_ptr; const uint64_t num_bytes = response->fetched_size; } if (response->finished) { // the finished flag is set either when all data // has been loaded, the request has been cancelled, // or the file operation has failed, this is where // any required per-request cleanup work should happen } } FAILED (user thread) A request will transition into the FAILED state in the following situations: - if the file doesn't exist or couldn't be opened for other reasons (SFETCH_ERROR_FILE_NOT_FOUND) - if no buffer is associated with the request in the FETCHING state (SFETCH_ERROR_NO_BUFFER) - if the provided buffer is too small to hold the entire file (if request.chunk_size == 0), or the (potentially decompressed) partial data chunk (SFETCH_ERROR_BUFFER_TOO_SMALL) - if less bytes could be read from the file then expected (SFETCH_ERROR_UNEXPECTED_EOF) - if a request has been cancelled via sfetch_cancel() (SFETCH_ERROR_CANCELLED) The response callback will be called once after a request goes into the FAILED state, with the 'response->finished' and 'response->failed' flags set to true. This gives the user-code a chance to cleanup any resources associated with the request. To check for the failed state in the response callback: void response_callback(const sfetch_response_t* response) { if (response->failed) { // specifically check for the failed state... } // or you can do a catch-all check via the finished-flag: if (response->finished) { if (response->failed) { // if more detailed error handling is needed: switch (response->error_code) { ... } } } } PAUSED (user thread) A request will transition into the PAUSED state after user-code calls the function sfetch_pause() on the request's handle. Usually this happens from within the response-callback in streaming scenarios when the data streaming needs to wait for a data decoder (like a video/audio player) to catch up. While a request is in PAUSED state, the response-callback will be called in each sfetch_dowork(), so that the user-code can either continue the request by calling sfetch_continue(), or cancel the request by calling sfetch_cancel(). When calling sfetch_continue() on a paused request, the request will transition into the FETCHING state. Otherwise if sfetch_cancel() is called, the request will switch into the FAILED state. To check for the PAUSED state in the response callback: void response_callback(const sfetch_response_t* response) { if (response->paused) { // we can check here whether the request should // continue to load data: if (should_continue(response->handle)) { sfetch_continue(response->handle); } } } CHUNK SIZE AND HTTP COMPRESSION =============================== TL;DR: for streaming scenarios, the provided chunk-size must be smaller than the provided buffer-size because the web server may decide to serve the data compressed and the chunk-size must be given in 'compressed bytes' while the buffer receives 'uncompressed bytes'. It's not possible in HTTP to query the uncompressed size for a compressed download until that download has finished. With vanilla HTTP, it is not possible to query the actual size of a file without downloading the entire file first (the Content-Length response header only provides the compressed size). Furthermore, for HTTP range-requests, the range is given on the compressed data, not the uncompressed data. So if the web server decides to server the data compressed, the content-length and range-request parameters don't correspond to the uncompressed data that's arriving in the sokol-fetch buffers, and there's no way from JS or WASM to either force uncompressed downloads (e.g. by setting the Accept-Encoding field), or access the compressed data. This has some implications for sokol_fetch.h, most notably that buffers can't be provided in the exactly right size, because that size can't be queried from HTTP before the data is actually downloaded. When downloading whole files at once, it is basically expected that you know the maximum files size upfront through other means (for instance through a separate meta-data-file which contains the file sizes and other meta-data for each file that needs to be loaded). For streaming downloads the situation is a bit more complicated. These use HTTP range-requests, and those ranges are defined on the (potentially) compressed data which the JS/WASM side doesn't have access to. However, the JS/WASM side only ever sees the uncompressed data, and it's not possible to query the uncompressed size of a range request before that range request has finished. If the provided buffer is too small to contain the uncompressed data, the request will fail with error code SFETCH_ERROR_BUFFER_TOO_SMALL. CHANNELS AND LANES ================== Channels and lanes are (somewhat artificial) concepts to manage parallelization, prioritization and rate-limiting. Channels can be used to parallelize message processing for better 'pipeline throughput', and to prioritize messages: user-code could reserve one channel for "small and big" streaming downloads, another channel for "regular" downloads and yet another high-priority channel which would only be used for small files which need to start loading immediately. Each channel comes with its own IO thread and message queues for pumping messages in and out of the thread. The channel where a request is processed is selected manually when sending a message: sfetch_send(&(sfetch_request_t){ .path = "my_file.txt", .callback = my_response_callback, .channel = 2 }); The number of channels is configured at startup in sfetch_setup() and cannot be changed afterwards. Channels are completely separate from each other, and a request will never "hop" from one channel to another. Each channel consists of a fixed number of "lanes" for automatic rate limiting: When a request is sent to a channel via sfetch_send(), a "free lane" will be picked and assigned to the request. The request will occupy this lane for its entire life time (also while it is paused). If all lanes of a channel are currently occupied, new requests will need to wait until a lane becomes unoccupied. Since the number of channels and lanes is known upfront, it is guaranteed that there will never be more than "num_channels * num_lanes" requests in flight at any one time. This guarantee eliminates unexpected load- and memory-spikes when many requests are sent in very short time, and it allows to pre-allocate a fixed number of memory buffers which can be reused for the entire "lifetime" of a sokol-fetch context. In the most simple scenario - when a maximum file size is known - buffers can be statically allocated like this: uint8_t buffer[NUM_CHANNELS][NUM_LANES][MAX_FILE_SIZE]; Then in the user callback pick a buffer by channel and lane, and associate it with the request like this: void response_callback(const sfetch_response_t* response) { if (response->dispatched) { void* ptr = buffer[response->channel][response->lane]; sfetch_bind_buffer(response->handle, ptr, MAX_FILE_SIZE); } ... } NOTES ON OPTIMIZING PIPELINE LATENCY AND THROUGHPUT =================================================== With the default configuration of 1 channel and 1 lane per channel, sokol_fetch.h will appear to have a shockingly bad loading performance if several files are loaded. This has two reasons: (1) all parallelization when loading data has been disabled. A new request will only be processed, when the last request has finished. (2) every invocation of the response-callback adds one frame of latency to the request, because callbacks will only be called from within sfetch_dowork() sokol-fetch takes a few shortcuts to improve step (2) and reduce the 'inherent latency' of a request: - if a buffer is provided upfront, the response-callback won't be called in the OPENED state, but start right with the FETCHED state where data has already been loaded into the buffer - there is no separate CLOSED state where the callback is invoked separately when loading has finished (or the request has failed), instead the finished and failed flags will be set as part of the last FETCHED invocation This means providing a big-enough buffer to fit the entire file is the best case, the response callback will only be called once, ideally in the next frame (or two calls to sfetch_dowork()). If no buffer is provided upfront, one frame of latency is added because the response callback needs to be invoked in the OPENED state so that the user code can bind a buffer. This means the best case for a request without an upfront-provided buffer is 2 frames (or 3 calls to sfetch_dowork()). That's about what can be done to improve the latency for a single request, but the really important step is to improve overall throughput. If you need to load thousands of files you don't want that to be completely serialized. The most important action to increase throughput is to increase the number of lanes per channel. This defines how many requests can be 'in flight' on a single channel at the same time. The guiding decision factor for how many lanes you can "afford" is the memory size you want to set aside for buffers. Each lane needs its own buffer so that the data loaded for one request doesn't scribble over the data loaded for another request. Here's a simple example of sending 4 requests without upfront buffer on a channel with 1, 2 and 4 lanes, each line is one frame: 1 LANE (8 frames): Lane 0: ------------- REQ 0 OPENED REQ 0 FETCHED REQ 1 OPENED REQ 1 FETCHED REQ 2 OPENED REQ 2 FETCHED REQ 3 OPENED REQ 3 FETCHED Note how the request don't overlap, so they can all use the same buffer. 2 LANES (4 frames): Lane 0: Lane 1: --------------------------------- REQ 0 OPENED REQ 1 OPENED REQ 0 FETCHED REQ 1 FETCHED REQ 2 OPENED REQ 3 OPENED REQ 2 FETCHED REQ 3 FETCHED This reduces the overall time to 4 frames, but now you need 2 buffers so that requests don't scribble over each other. 4 LANES (2 frames): Lane 0: Lane 1: Lane 2: Lane 3: ------------------------------------------------------------- REQ 0 OPENED REQ 1 OPENED REQ 2 OPENED REQ 3 OPENED REQ 0 FETCHED REQ 1 FETCHED REQ 2 FETCHED REQ 3 FETCHED Now we're down to the same 'best-case' latency as sending a single request. Apart from the memory requirements for the streaming buffers (which is under your control), you can be generous with the number of channels, they don't add any processing overhead. The last option for tweaking latency and throughput is channels. Each channel works independently from other channels, so while one channel is busy working through a large number of requests (or one very long streaming download), you can set aside a high-priority channel for requests that need to start as soon as possible. On platforms with threading support, each channel runs on its own thread, but this is mainly an implementation detail to work around the blocking traditional file IO functions, not for performance reasons. FUTURE PLANS / V2.0 IDEA DUMP ============================= - An optional polling API (as alternative to callback API) - Move buffer-management into the API? The "manual management" can be quite tricky especially for dynamic allocation scenarios, API support for buffer management would simplify cases like preventing that requests scribble over each other's buffers, or an automatic garbage collection for dynamically allocated buffers, or automatically falling back to dynamic allocation if static buffers aren't big enough. - Pluggable request handlers to load data from other "sources" (especially HTTP downloads on native platforms via e.g. libcurl would be useful) - I'm currently not happy how the user-data block is handled, this should getting and updating the user-data should be wrapped by API functions (similar to bind/unbind buffer) LICENSE ======= zlib/libpng license Copyright (c) 2019 Andre Weissflog This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. */ enum SOKOL_FETCH_INCLUDED = 1; /* configuration values for sfetch_setup() */ struct sfetch_desc_t { uint _start_canary; uint max_requests; /* max number of active requests across all channels, default is 128 */ uint num_channels; /* number of channels to fetch requests in parallel, default is 1 */ uint num_lanes; /* max number of requests active on the same channel, default is 1 */ uint _end_canary; } /* a request handle to identify an active fetch request, returned by sfetch_send() */ struct sfetch_handle_t { uint id; } /* error codes */ enum sfetch_error_t { SFETCH_ERROR_NO_ERROR = 0, SFETCH_ERROR_FILE_NOT_FOUND = 1, SFETCH_ERROR_NO_BUFFER = 2, SFETCH_ERROR_BUFFER_TOO_SMALL = 3, SFETCH_ERROR_UNEXPECTED_EOF = 4, SFETCH_ERROR_INVALID_HTTP_STATUS = 5, SFETCH_ERROR_CANCELLED = 6 } /* the response struct passed to the response callback */ struct sfetch_response_t { sfetch_handle_t handle; /* request handle this response belongs to */ bool dispatched; /* true when request is in DISPATCHED state (lane has been assigned) */ bool fetched; /* true when request is in FETCHED state (fetched data is available) */ bool paused; /* request is currently in paused state */ bool finished; /* this is the last response for this request */ bool failed; /* request has failed (always set together with 'finished') */ bool cancelled; /* request was cancelled (always set together with 'finished') */ sfetch_error_t error_code; /* more detailed error code when failed is true */ uint channel; /* the channel which processes this request */ uint lane; /* the lane this request occupies on its channel */ const(char)* path; /* the original filesystem path of the request (FIXME: this is unsafe, wrap in API call?) */ void* user_data; /* pointer to read/write user-data area (FIXME: this is unsafe, wrap in API call?) */ uint fetched_offset; /* current offset of fetched data chunk in file data */ uint fetched_size; /* size of fetched data chunk in number of bytes */ void* buffer_ptr; /* pointer to buffer with fetched data */ uint buffer_size; /* overall buffer size (may be >= than fetched_size!) */ } /* response callback function signature */ alias sfetch_callback_t = void function (const(sfetch_response_t)*); /* request parameters passed to sfetch_send() */ struct sfetch_request_t { uint _start_canary; uint channel; /* index of channel this request is assigned to (default: 0) */ const(char)* path; /* filesystem path or HTTP URL (required) */ sfetch_callback_t callback; /* response callback function pointer (required) */ void* buffer_ptr; /* buffer pointer where data will be loaded into (optional) */ uint buffer_size; /* buffer size in number of bytes (optional) */ uint chunk_size; /* number of bytes to load per stream-block (optional) */ const(void)* user_data_ptr; /* pointer to a POD user-data block which will be memcpy'd(!) (optional) */ uint user_data_size; /* size of user-data block (optional) */ uint _end_canary; } /* setup sokol-fetch (can be called on multiple threads) */ void sfetch_setup (const(sfetch_desc_t)* desc); /* discard a sokol-fetch context */ void sfetch_shutdown (); /* return true if sokol-fetch has been setup */ bool sfetch_valid (); /* get the desc struct that was passed to sfetch_setup() */ sfetch_desc_t sfetch_desc (); /* return the max userdata size in number of bytes (SFETCH_MAX_USERDATA_UINT64 * sizeof(uint64_t)) */ int sfetch_max_userdata_bytes (); /* return the value of the SFETCH_MAX_PATH implementation config value */ int sfetch_max_path (); /* send a fetch-request, get handle to request back */ sfetch_handle_t sfetch_send (const(sfetch_request_t)* request); /* return true if a handle is valid *and* the request is alive */ bool sfetch_handle_valid (sfetch_handle_t h); /* do per-frame work, moves requests into and out of IO threads, and invokes response-callbacks */ void sfetch_dowork (); /* bind a data buffer to a request (request must not currently have a buffer bound, must be called from response callback */ void sfetch_bind_buffer (sfetch_handle_t h, void* buffer_ptr, uint buffer_size); /* clear the 'buffer binding' of a request, returns previous buffer pointer (can be 0), must be called from response callback */ void* sfetch_unbind_buffer (sfetch_handle_t h); /* cancel a request that's in flight (will call response callback with .cancelled + .finished) */ void sfetch_cancel (sfetch_handle_t h); /* pause a request (will call response callback each frame with .paused) */ void sfetch_pause (sfetch_handle_t h); /* continue a paused request */ void sfetch_continue (sfetch_handle_t h); /* extern "C" */ /* reference-based equivalents for c++ */ // SOKOL_FETCH_INCLUDED /*--- IMPLEMENTATION ---------------------------------------------------------*/ /* memset, memcpy */ /* fopen, fread, fseek, fclose */ /*=== private type definitions ===============================================*/ /* a thread with incoming and outgoing message queue syncing */ /* file handle abstraction */ /* user-side per-request state */ /* switch item to PAUSED state if true */ /* switch item back to FETCHING if true */ /* cancel the request, switch into FAILED state */ /* transfer IO => user thread */ /* number of bytes fetched so far */ /* size of last fetched chunk */ /* user thread only */ /* thread-side per-request state */ /* transfer IO => user thread */ /* IO thread only */ /* a request goes through the following states, ping-ponging between IO and user thread */ /* internal: request has just been initialized */ /* internal: request has been allocated from internal pool */ /* user thread: request has been dispatched to its IO channel */ /* IO thread: waiting for data to be fetched */ /* user thread: fetched data available */ /* user thread: request has been paused via sfetch_pause() */ /* user thread: follow state or FETCHING if something went wrong */ /* an internal request item */ /* updated by IO-thread, off-limits to user thread */ /* accessible by user-thread, off-limits to IO thread */ /* big stuff at the end */ /* a pool of internal per-request items */ /* a ringbuffer for pool-slot ids */ /* an IO channel with its own IO thread */ /* back-pointer to thread-local _sfetch state pointer, since this isn't accessible from the IO threads */ /* the sfetch global state */ /*=== general helper functions and macros =====================================*/ /*=== a circular message queue ===============================================*/ /* one slot reserved to detect full vs empty */ /*=== request pool implementation ============================================*/ /* NOTE: item slot 0 is reserved for the special "invalid" item index 0*/ /* generation counters indexable by pool slot index, slot 0 is reserved */ /* NOTE: it's not a bug to only reserve num_items here */ /* never allocate the 0-th item, this is the reserved 'invalid item' */ /* allocation error */ /* pool exhausted, return the 'invalid handle' */ /* debug check against double-free */ /* return pointer to item by handle without matching id check */ /* return pointer to item by handle with matching id check */ /*=== PLATFORM WRAPPER FUNCTIONS =============================================*/ /* FIXME: in debug mode, the threads should be named */ /* called when the thread-func is entered, this blocks the thread func until the _sfetch_thread_t object is fully initialized */ /* called by the thread-func right before it is left */ /* called from user thread */ /* called from thread function */ /* called from thread function */ /* called from user thread */ /* _SFETCH_PLATFORM_POSIX */ /* input string doesn't fit into destination buffer */ /* lpFileName */ /* dwDesiredAccess */ /* dwShareMode */ /* lpSecurityAttributes */ /* dwCreationDisposition */ /* dwFlagsAndAttributes */ /* hTemplateFile */ /* called by the thread-func right before it is left */ /* called from user thread */ /* called from thread function */ /* called from thread function */ /* called from user thread */ /* _SFETCH_PLATFORM_WINDOWS */ /*=== IO CHANNEL implementation ==============================================*/ /* per-channel request handler for native platforms accessing the local filesystem */ /* open file if not happened yet */ /* load entire file */ /* provided buffer to small to fit entire file */ /* provided buffer to small to fit next chunk */ /* ignore items in PAUSED or FAILED state */ /* block until work arrives */ /* slot_id will be invalid if the thread was woken up to join */ /* _SFETCH_HAS_THREADS */ /*=== embedded Javascript helper functions ===================================*/ /* if bytes_to_read != 0, a range-request will be sent, otherwise a normal request */ /*=== emscripten specific C helper functions =================================*/ /* send HTTP range request */ /* called by JS when an initial HEAD request finished successfully (only when streaming chunks) */ /* called by JS when a followup GET request finished successfully */ /* called by JS when an error occurred */ /* extern "C" */ /* if streaming download is requested, and the content-length isn't known yet, need to send a HEAD request first */ /* otherwise, this is either a request to load the entire file, or to load the next streaming chunk */ /* just move all other items (e.g. paused or cancelled) into the outgoing queue, so they wont get lost */ /* _SFETCH_PLATFORM_EMSCRIPTEN */ /* put a request into the channels sent-queue, this is where all new requests are stored until a lane becomes free. */ /* per-frame channel stuff: move requests in and out of the IO threads, call response callbacks */ /* move items from sent- to incoming-queue permitting free lanes */ /* if no buffer provided yet, invoke response callback to do so */ /* prepare incoming items for being moved into the IO thread */ /* transfer input params from user- to thread-data */ /* move new items into the IO threads and processed items out of IO threads */ /* without threading just directly dequeue items from the user_incoming queue and call the request handler, the user_outgoing queue will be filled as the asynchronous HTTP requests sent by the request handler are completed */ /* drain the outgoing queue, prepare items for invoking the response callback, and finally call the response callback, free finished items */ /* transfer output params from thread- to user-data */ /* state transition */ /* when the request is finish, free the lane for another request, otherwise feed it back into the incoming queue */ /*=== private high-level functions ===========================================*/ /* silence unused warnings in release*/ /*=== PUBLIC API FUNCTIONS ===================================================*/ /* replace zero-init items with default values */ /* setup the global request item pool */ /* setup IO channels (one thread per channel) */ /* IO threads must be shutdown first */ /* shortcut invalid handle */ /* send failed because the channels sent-queue overflowed */ /* we're pumping each channel 2x so that unfinished request items coming out the IO threads can be moved back into the IO-thread immediately without having to wait a frame */ /* SOKOL_IMPL */
D
module ogre.singleton; //http://www.digitalmars.com/d/archives/digitalmars/D/Static_constructors_in_circularly_imported_modules_-_again_110518.html#N110527 //http://www.digitalmars.com/d/archives/digitalmars/D/The_singleton_design_pattern_in_D_C_and_Java_113474.html //Thread safe assumably? // Well, this can't be inherited. /*class Singleton(T) { private: static bool initialized; // Thread-local __gshared static T instance; this() {} public: static T getSingleton() { if(initialized) { return instance; } synchronized(SingletonT.classinfo) { scope(success) initialized = true; if(instance !is null) { return instance; } instance = new T; return instance; } } }*/ //Trying mixins //Thread safe assumably mixin template Singleton(T) //if(is(T == class)) //probably unneeded check { private { __gshared static bool initialized; // Thread-local //shared static T instance; __gshared T instance; //or __gshared ,also haa issue #4419 aka lose the static } //or //static this() { ... } public { //static T opCall() //{ // return getInstance(); //} /* **** Example **** class Base{ mixin Singleton!Base; } class Derived : Base {} //Initialize somewhere Derived mDerived = Derived.getSingletonInit!Derived(); FinalishClass mBase = FinalishClass.getSingleton(); //aka is not derived otherwise you get base class or Derived mDerived = Derived.getSingletonInit!(Derived)(someArg); Derived derived = Derived.getSingleton(); Base base = Base.getSingleton(); assert(cast(Derived)base !is null); assert(base == mDerived); */ // Can has derived classes? // DT should be derived class type. Then BaseClass.getSingleton() should return the same instance of derived class. // Bit annoying though. static DT getSingletonInit(DT, Args...)(Args args) { if(initialized) { return cast(DT)instance; } synchronized(T.classinfo) { scope(success) initialized = true; if(instance !is null) { return cast(DT)instance; } //instance = cast(shared DT)new DT(args); //Make shared instance = new DT(args); return cast(DT)instance; //but cast away shared here } } static T getSingleton(Args...)(Args args) { if(initialized) { return instance; } //Allow creation if T is final synchronized(T.classinfo) { scope(success) initialized = true; if(instance !is null) { return instance; } //instance = cast(shared T)new T(args); instance = new T(args); return instance; } //or just assert //assert(0, "Initialize singleton with getSingletonInit."); } /// Whole lot of places use Ptr() as boolean, so give them this. static bool getSingletonPtr() { return initialized; } } //Eh? //ogre/singleton.d(63): Error: outer function context of ogre.scene.scenemanager.SceneManagerEnumerator.Singleton!(SceneManagerEnumerator).__unittestL74_2104.A........ /*unittest { { class A { mixin Singleton!A; int x; } class B { mixin Singleton!B; int x; } auto a0 = A.getSingleton(); auto a1 = A.getSingleton(); auto b0 = B.getSingleton(); auto b1 = B.getSingleton(); a0.x = 1234; b0.x = 9876; assert(a0.x == a1.x); assert(b0.x == b1.x); assert(a0.x != b0.x); assert(a1.x != b1.x); } }*/ }
D
/mnt/c/Users/35984/Documents/code/qwe/musk/target/debug/deps/pin_project-aa8ab4f377306b90.rmeta: /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-1.0.8/src/lib.rs /mnt/c/Users/35984/Documents/code/qwe/musk/target/debug/deps/pin_project-aa8ab4f377306b90.d: /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-1.0.8/src/lib.rs /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-1.0.8/src/lib.rs:
D
/* TEST_OUTPUT: --- fail_compilation/diag10984.d(12): Error: `static` function `diag10984.f.n` cannot access variable `x` in frame of function `diag10984.f` fail_compilation/diag10984.d(11): `x` declared here --- */ void f() { int x; static void n() { x++; } } void main() { }
D
import std.stdio, std.array, std.range, std.traits; /// Recursive. bool binarySearch(R, T)(/*in*/ R data, in T x) pure nothrow @nogc if (isRandomAccessRange!R && is(Unqual!T == Unqual!(ElementType!R))) { if (data.empty) return false; immutable i = data.length / 2; immutable mid = data[i]; if (mid > x) return data[0 .. i].binarySearch(x); if (mid < x) return data[i + 1 .. $].binarySearch(x); return true; } /// Iterative. bool binarySearchIt(R, T)(/*in*/ R data, in T x) pure nothrow @nogc if (isRandomAccessRange!R && is(Unqual!T == Unqual!(ElementType!R))) { while (!data.empty) { immutable i = data.length / 2; immutable mid = data[i]; if (mid > x) data = data[0 .. i]; else if (mid < x) data = data[i + 1 .. $]; else return true; } return false; } void main() { /*const*/ auto items = [2, 4, 6, 8, 9].assumeSorted; foreach (const x; [1, 8, 10, 9, 5, 2]) writefln("%2d %5s %5s %5s", x, items.binarySearch(x), items.binarySearchIt(x), // Standard Binary Search: !items.equalRange(x).empty); }
D
/Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Intermediates.noindex/TrueGrowthSF2.build/Debug-iphonesimulator/TrueGrowthSF2.build/Objects-normal/x86_64/FeedViewController.o : /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CurrencyTextField.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/DataService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/AuthService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Like.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Extensions/ReflectedStringConvertible.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Profile.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/AppDelegate.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/FacebookButton.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CircularProgressBar.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/FeedViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/ProfileViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/LoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/EmailLoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraTwoViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/GroupsViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CreatePostViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Post.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundUIView.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundedCornerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/FBSDKCoreKit.swiftmodule/x86_64.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/FBSDKLoginKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKURL.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceViewControllerBase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolving.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLink.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkNavigation.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginCodeInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererController.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKWebViewAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkTarget.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManagerResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMeasurementEvent.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKCoreKitImport.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Intermediates.noindex/TrueGrowthSF2.build/Debug-iphonesimulator/TrueGrowthSF2.build/Objects-normal/x86_64/FeedViewController~partial.swiftmodule : /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CurrencyTextField.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/DataService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/AuthService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Like.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Extensions/ReflectedStringConvertible.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Profile.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/AppDelegate.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/FacebookButton.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CircularProgressBar.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/FeedViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/ProfileViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/LoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/EmailLoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraTwoViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/GroupsViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CreatePostViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Post.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundUIView.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundedCornerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/FBSDKCoreKit.swiftmodule/x86_64.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/FBSDKLoginKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKURL.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceViewControllerBase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolving.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLink.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkNavigation.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginCodeInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererController.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKWebViewAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkTarget.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManagerResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMeasurementEvent.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKCoreKitImport.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Intermediates.noindex/TrueGrowthSF2.build/Debug-iphonesimulator/TrueGrowthSF2.build/Objects-normal/x86_64/FeedViewController~partial.swiftdoc : /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CurrencyTextField.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/DataService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Services/AuthService.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Like.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Extensions/ReflectedStringConvertible.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Profile.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/AppDelegate.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/FacebookButton.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/CircularProgressBar.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/FeedViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/ProfileViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/LoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/EmailLoginViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CameraTwoViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/GroupsViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Controller/CreatePostViewController.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/Model/Post.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundUIView.swift /Users/Home/Desktop/iOS/TrueGrowthSF2/TrueGrowthSF2/View/RoundedCornerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/FBSDKCoreKit.swiftmodule/x86_64.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/FBSDKLoginKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKURL.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-umbrella.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceViewControllerBase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolving.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLink.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkNavigation.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKDeviceButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginCodeInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererController.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKWebViewAppLinkResolver.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkTarget.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit-Swift.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKDeviceLoginManagerResult.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKMeasurementEvent.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKCoreKitImport.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkReturnToRefererView.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.framework/Modules/module.modulemap /Users/Home/Desktop/iOS/TrueGrowthSF2/DerivedData/TrueGrowthSF2/Build/Products/Debug-iphonesimulator/FBSDKLoginKit/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; void main() { auto a = 12; pragma(msg, typeof(a)); auto b = "ほげほげ"; pragma(msg, typeof(b)); auto c = a + 13.5; pragma(msg, typeof(c)); const d = 3; pragma(msg, typeof(d)); immutable e = 4; pragma(msg, typeof(e)); }
D
// Copyright (C) 2021 by tspike (github.com/tspike2k) // // Permission to use, copy, modify, and/or distribute this software for any purpose with or without fee is hereby granted. // // THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. /+ DESCRIPTION: Removing items directly from a container while iterating over the items it holds will usually have undesirable results. To get the same effect, the common approach is to mark items for removal during the iteration and only remove the items once the iteration has concluded. The strategy for removing items is different for each container, but there are commonalities. This is an attempt to create a common interface for marking items in a container for removal and the cleanup process. +/ import std.stdio; struct ArrayRemover { // TODO: Right now we're allocating a parallel array that marks which elements should be removed from the source array. // If we're only removing a few items, this is a waste of memory, but lookups should be quite fast. We could // change this to something like a hash map so we could have sparse storage. bool[] toRemove; void mark(size_t index) { toRemove[index] = true; } } struct FixedArray(T, uint length) { T[length] elements; size_t count; void push(T item) { elements[count] = item; count++; } T[] opSlice() { return elements[0 .. count]; } ArrayRemover makeRemover() { ArrayRemover result = void; result.toRemove = new bool[count]; return result; } void cleanup(ArrayRemover* remover) { uint i = 0; while(i < count) { if(remover.toRemove[i]) { count--; elements[i] = elements[count]; remover.toRemove[i] = remover.toRemove[count]; } else { i++; } } remover.toRemove = null; } } struct LinkedListRemover { struct Entry { size_t toRemoveAddress; Entry* next; } Entry* first; Entry* last; void mark(void* ptr) { Entry* result = new Entry; result.toRemoveAddress = cast(size_t)ptr; result.next = null; if(!first) { first = result; last = first; } else { last.next = result; last = result; } } } struct LinkedList(T) { struct Item { T val; Item* next; Item* prev; } Item* first; Item* last; void push(ref T val) { Item* result = new Item; result.val = val; result.next = null; if(!first) { first = result; last = first; } else { last.next = result; result.prev = last; last = result; } } struct Range { Item* current; bool empty() const { return !current; } void popFront() { current = current.next; } Item* front() { return current; } } Range opSlice() { Range result; result.current = first; return result; } LinkedListRemover makeRemover() { LinkedListRemover result; return result; } void cleanup(LinkedListRemover* remover) { auto e = remover.first; while(e) { auto item = cast(Item*)e.toRemoveAddress; if(item == first) { first = first.next; } else if(item == last) { last = last.prev; } else { item.prev.next = item.next; } e = e.next; } } } struct FixedArray2(T, uint length) { T[length] elements; size_t count; void push(T item) { elements[count] = item; count++; } T[] opSlice() { return elements[0 .. count]; } struct Remover { FixedArray2!(T, length)* source; size_t index; bool empty() const { return index >= source.count; } ref T next() { auto i = index; index++; return source.elements[i]; } auto remove() { struct Result { size_t source; size_t dest; } // NOTE: Since next() increments the index for the next iteration, calling remove should remove the previous item from the array // and set the current index back to the previous one. source.count--; Result result = Result(source.count, index - 1); source.elements[result.dest] = source.elements[result.source]; index--; return result; } } Remover makeRemover() { Remover result = void; result.source = &this; result.index = 0; return result; } } struct LinkedList2(T) { struct Item { T val; Item* next; Item* prev; } Item* first; Item* last; void push(ref T val) { Item* result = new Item; result.val = val; result.next = null; if(!first) { first = result; last = first; } else { last.next = result; result.prev = last; last = result; } } struct Range { Item* current; bool empty() const { return !current; } void popFront() { current = current.next; } Item* front() { return current; } } Range opSlice() { Range result; result.current = first; return result; } struct Remover { LinkedList2!T* source; Item* item; bool empty() const { return !item; } Item* next() { auto result = item; item = item.next; return result; } void remove() { // NOTE: If we weren't using the GC, we'd need to free the node we remove. auto toRemove = item.prev; if(toRemove == source.first) { source.first = source.first.next; } else if(toRemove == source.last) { source.last = source.last.prev; } else { toRemove.prev.next = toRemove.next; if(toRemove.next) toRemove.next.prev = toRemove.prev; } } } Remover makeRemover() { Remover result; result.item = first; result.source = &this; return result; } } void main() { writeln("---Array removal---"); { FixedArray!(int, 12) arr; foreach(i; 0 .. arr.elements.length) { arr.push(cast(int)i); } writeln("Before: ", arr.elements); auto remover = arr.makeRemover(); foreach(i; 0 .. arr.count) { auto val = arr.elements[i]; if(val % 2 == 0) { remover.mark(i); } } arr.cleanup(&remover); writeln("After: ", arr.elements[0 .. arr.count]); } writeln(); writeln("---Linked List removal---"); { LinkedList!int list; foreach(i; 0 .. 12) { list.push(i); } write("Before: ["); foreach(ref e; list) { write(e.val, ", "); } writeln("]"); auto remover = list.makeRemover; foreach(ref e; list) { if(e.val % 2 == 0) { remover.mark(e); } } list.cleanup(&remover); write("After: ["); foreach(ref e; list) { write(e.val, ", "); } writeln("]"); } writeln(); writeln("---Improved Array removal---"); { FixedArray2!(int, 12) arr; foreach(i; 0 .. arr.elements.length) { arr.push(cast(int)i); } writeln("Before: ", arr.elements); auto remover = arr.makeRemover(); while(!remover.empty()) { auto n = remover.next(); if(n % 2 == 0) { // NOTE: You may need to know which elements were swapped during the removal. For instance, if a HashMap uses keys to map to // indeces in the array, you'll need to inform the HashMap of the swap. auto swapInfo = remover.remove(); //writeln(swapInfo); } } writeln("After: ", arr.elements[0 .. arr.count]); } writeln(); writeln("---Improved Linked List removal---"); { LinkedList2!int list; foreach(i; 0 .. 12) { list.push(i); } write("Before: ["); foreach(ref e; list) { write(e.val, ", "); } writeln("]"); auto remover = list.makeRemover; while(!remover.empty()) { auto e = remover.next(); if(e.val % 2 == 0) { remover.remove(); } } write("After: ["); foreach(ref e; list) { write(e.val, ", "); } writeln("]"); } writeln(); }
D
/* Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ module flow.engine.impl.cmd.GetFormKeyCmd; import flow.common.api.FlowableIllegalArgumentException; import flow.common.interceptor.Command; import flow.common.interceptor.CommandContext; //import flow.engine.impl.form.DefaultFormHandler; //import flow.engine.impl.form.FormHandlerHelper; import flow.engine.impl.util.CommandContextUtil; //import flow.engine.impl.util.Flowable5Util; //import flow.engine.impl.util.ProcessDefinitionUtil; import flow.engine.repository.ProcessDefinition; import hunt.Exceptions; import hunt.String; /** * Command for retrieving start or task form keys. * * @author Falko Menge (camunda) */ class GetFormKeyCmd : Command!string { protected string taskDefinitionKey; protected string processDefinitionId; /** * Retrieves a start form key. */ this(string processDefinitionId) { setProcessDefinitionId(processDefinitionId); } /** * Retrieves a task form key. */ this(string processDefinitionId, string taskDefinitionKey) { setProcessDefinitionId(processDefinitionId); if (taskDefinitionKey is null || taskDefinitionKey.length < 1) { throw new FlowableIllegalArgumentException("The task definition key is mandatory, but '" ~ taskDefinitionKey ~ "' has been provided."); } this.taskDefinitionKey = taskDefinitionKey; } protected void setProcessDefinitionId(string processDefinitionId) { if (processDefinitionId is null || processDefinitionId.length < 1) { throw new FlowableIllegalArgumentException("The process definition id is mandatory, but '" ~ processDefinitionId ~ "' has been provided."); } this.processDefinitionId = processDefinitionId; } public string execute(CommandContext commandContext) { implementationMissing(false); return ""; //ProcessDefinition processDefinition = ProcessDefinitionUtil.getProcessDefinition(processDefinitionId); // //if (Flowable5Util.isFlowable5ProcessDefinition(processDefinition, commandContext)) { // return Flowable5Util.getFlowable5CompatibilityHandler().getFormKey(processDefinitionId, taskDefinitionKey); //} // //FormHandlerHelper formHandlerHelper = CommandContextUtil.getProcessEngineConfiguration(commandContext).getFormHandlerHelper(); //DefaultFormHandler formHandler; //if (taskDefinitionKey is null) { // // TODO: Maybe add getFormKey() to FormHandler interface to avoid the following cast // formHandler = (DefaultFormHandler) formHandlerHelper.getStartFormHandler(commandContext, processDefinition); //} else { // // TODO: Maybe add getFormKey() to FormHandler interface to avoid the following cast // formHandler = (DefaultFormHandler) formHandlerHelper.getTaskFormHandlder(processDefinitionId, taskDefinitionKey); //} //string formKey = null; //if (formHandler.getFormKey() !is null) { // formKey = formHandler.getFormKey().getExpressionText(); //} //return formKey; } }
D
/******************************************************************************* Client DHT GetAll request definitions / handler. The GetAll request communicates with all DHT nodes to fetch all records in a channel. If a connection error occurs, the request will be restarted once the connection has been re-established and will continue from where it left off. Copyright: Copyright (c) 2017 sociomantic labs GmbH. All rights reserved. License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dhtproto.client.request.GetAll; import ocean.meta.types.Qualifiers; import ocean.core.SmartUnion; public import swarm.neo.client.NotifierTypes; public import dhtproto.client.NotifierTypes; /******************************************************************************* GetAll behaviour settings. May be optionally passed to the getAll() method of the DHT client, to modify the default behaviour. *******************************************************************************/ public struct Settings { /// If true, only record keys will be fetched, no values. bool keys_only; /// If non-empty, only records whose values contain these bytes as a /// "substring" will be fetched. void[] value_filter; } /******************************************************************************* Request-specific arguments provided by the user and passed to the notifier. *******************************************************************************/ public struct Args { /// Name of the channel to fetch. mstring channel; /// Settings for the behaviour of the request. Settings settings; } /******************************************************************************* Union of possible notifications. The following notifications are considered fatal (i.e. the request will almost certainly get the same error if retried): * node_error * unsupported *******************************************************************************/ private union NotificationUnion { /// The request is now in a state where it can be suspended / resumed / /// stopped via the controller. (This means that all known nodes have either /// started handling the request or are not currently connected.) Note that /// records may be received from some nodes before this notification occurs. RequestInfo started; /// A record has been received from the DHT. RequestRecordInfo received; /// A record key has been received from the DHT. (Only used when in /// keys-only mode. See Settings.) RequestKeyInfo received_key; /// The connection to a node has disconnected; the request will /// automatically continue after reconnection. RequestNodeExceptionInfo node_disconnected; /// A node returned a non-OK status code. The request cannot be handled by /// this node. RequestNodeInfo node_error; /// The request was tried on a node and failed because it is unsupported. /// The request cannot be handled by this node. RequestNodeUnsupportedInfo unsupported; /// All known nodes have either suspended the request (as requested by the /// user, via the controller) or are not currently connected. RequestInfo suspended; /// All known nodes have either resumed the request (as requested by the /// user, via the controller) or are not currently connected. RequestInfo resumed; /// All known nodes have either stopped the request (as requested by the /// user, via the controller) or are not currently connected. The request is /// now finished. (A `finished` notification will not occur as well.) RequestInfo stopped; /// All known nodes have either finished the request or are not currently /// connected. The request is now finished. RequestInfo finished; } /******************************************************************************* Notification smart union. *******************************************************************************/ public alias SmartUnion!(NotificationUnion) Notification; /******************************************************************************* Type of notification delegate. *******************************************************************************/ public alias void delegate ( Notification, const(Args) ) Notifier; /******************************************************************************* Request controller, accessible via the client's `control()` method. Note that only one control change message can be "in-flight" to the nodes at a time. If the controller is used when a control change message is already in-flight, the method will return false. The notifier is called when a requested control change is carried through. *******************************************************************************/ public interface IController { /*************************************************************************** Tells the nodes to stop sending data to this request. Returns: false if the controller cannot be used because a control change is already in progress ***************************************************************************/ bool suspend ( ); /*************************************************************************** Tells the nodes to resume sending data to this request. Returns: false if the controller cannot be used because a control change is already in progress ***************************************************************************/ bool resume ( ); /*************************************************************************** Tells the nodes to cleanly end the request. Returns: false if the controller cannot be used because a control change is already in progress ***************************************************************************/ bool stop ( ); /*************************************************************************** Returns: `true` if the nde is suspended, otherwise, `false`. ***************************************************************************/ bool suspended ( ); }
D
module org.serviio.ui.resources.server.PresentationServerResource; import java.lang.String; import java.util.ArrayList; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import org.serviio.config.Configuration; import org.serviio.i18n.Language; import org.serviio.restlet.AbstractServerResource; import org.serviio.restlet.ResultRepresentation; import org.serviio.ui.representation.BrowsingCategory; import org.serviio.ui.representation.PresentationRepresentation; import org.serviio.ui.resources.PresentationResource; import org.serviio.upnp.service.contentdirectory.ContentDirectory; import org.serviio.upnp.service.contentdirectory.definition.ContainerNode; import org.serviio.upnp.service.contentdirectory.definition.ContainerVisibilityType; import org.serviio.upnp.service.contentdirectory.definition.Definition; import org.serviio.upnp.service.contentdirectory.definition.DefinitionNode; import org.serviio.upnp.service.contentdirectory.definition.StaticContainerNode; import org.serviio.upnp.service.contentdirectory.definition.i18n.BrowsingCategoriesMessages; import org.slf4j.Logger; public class PresentationServerResource : AbstractServerResource, PresentationResource { public PresentationRepresentation load() { PresentationRepresentation rep = new PresentationRepresentation(); initCategories(rep); rep.setLanguage(Configuration.getBrowseMenuPreferredLanguage()); rep.setShowParentCategoryTitle(Configuration.isBrowseMenuShowNameOfParentCategory()); rep.setNumberOfFilesForDynamicCategories(Configuration.getNumberOfFilesForDynamicCategories()); rep.setFilterOutSeries(Configuration.isBrowseFilterOutSeries()); return rep; } public ResultRepresentation save(PresentationRepresentation rep) { bool cdsUpdateNeeded = updateCategories(rep); if (!Configuration.getBrowseMenuPreferredLanguage().opEquals(rep.getLanguage())) { Configuration.setBrowseMenuPreferredLanguage(rep.getLanguage()); BrowsingCategoriesMessages.loadLocale(Language.getLocale(Configuration.getBrowseMenuPreferredLanguage())); cdsUpdateNeeded = true; } if (Configuration.isBrowseMenuShowNameOfParentCategory() != rep.isShowParentCategoryTitle()) { Configuration.setBrowseMenuShowNameOfParentCategory(rep.isShowParentCategoryTitle()); cdsUpdateNeeded = true; } if (Configuration.isBrowseFilterOutSeries() != rep.isFilterOutSeries()) { Configuration.setBrowseFilterOutSeries(rep.isFilterOutSeries()); cdsUpdateNeeded = true; } if (Configuration.getNumberOfFilesForDynamicCategories() != rep.getNumberOfFilesForDynamicCategories()) { Configuration.setNumberOfFilesForDynamicCategories(rep.getNumberOfFilesForDynamicCategories()); cdsUpdateNeeded = true; } if (cdsUpdateNeeded) { getCDS().incrementUpdateID(); } return responseOk(); } private void initCategories(PresentationRepresentation rep) { List!(BrowsingCategory) categories = findEditableContainers(Definition.instance().getContainer("0")); rep.getCategories().addAll(categories); } private List!(BrowsingCategory) findEditableContainers(ContainerNode parent) { Definition def = Definition.instance(); List!(BrowsingCategory) categories = new ArrayList(); foreach (DefinitionNode node ; parent.getChildNodes()) { if (( cast(StaticContainerNode)node !is null )) { StaticContainerNode container = cast(StaticContainerNode)node; if (container.isEditable()) { BrowsingCategory category = new BrowsingCategory(container.getId(), container.getTitle(), def.getContainerVisibility(container.getId(), false)); categories.add(category); category.getSubCategories().addAll(findEditableContainers(container)); } } } return categories; } private bool updateCategories(PresentationRepresentation rep) { if (rep.getCategories() !is null) { this.log.debug_("Updating browsing categories' configuration"); Map!(String, String) config = new LinkedHashMap(); foreach (BrowsingCategory category ; rep.getCategories()) { addCategoryToConfig(category, config); } Configuration.setBrowseMenuItemOptions(config); return true; } return false; } private void addCategoryToConfig(BrowsingCategory category, Map!(String, String) config) { if (category.getVisibility() != ContainerVisibilityType.DISPLAYED) { config.put(category.getId(), category.getVisibility().toString()); } if (category.getSubCategories() !is null) { foreach (BrowsingCategory subCategory ; category.getSubCategories()) { addCategoryToConfig(subCategory, config); } } } } /* Location: C:\Users\Main\Downloads\serviio.jar * Qualified Name: org.serviio.ui.resources.server.PresentationServerResource * JD-Core Version: 0.7.0.1 */
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module vtkElevationFilter; static import vtkd_im; static import core.stdc.config; static import std.conv; static import std.string; static import std.conv; static import std.string; static import vtkObjectBase; static import SWIGTYPE_p_double; static import vtkDataSetAlgorithm; class vtkElevationFilter : vtkDataSetAlgorithm.vtkDataSetAlgorithm { private void* swigCPtr; public this(void* cObject, bool ownCObject) { super(vtkd_im.vtkElevationFilter_Upcast(cObject), ownCObject); swigCPtr = cObject; } public static void* swigGetCPtr(vtkElevationFilter obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; public override void dispose() { synchronized(this) { if (swigCPtr !is null) { if (swigCMemOwn) { swigCMemOwn = false; throw new object.Exception("C++ destructor does not have public access"); } swigCPtr = null; super.dispose(); } } } public static vtkElevationFilter New() { void* cPtr = vtkd_im.vtkElevationFilter_New(); vtkElevationFilter ret = (cPtr is null) ? null : new vtkElevationFilter(cPtr, false); return ret; } public static int IsTypeOf(string type) { auto ret = vtkd_im.vtkElevationFilter_IsTypeOf((type ? std.string.toStringz(type) : null)); return ret; } public static vtkElevationFilter SafeDownCast(vtkObjectBase.vtkObjectBase o) { void* cPtr = vtkd_im.vtkElevationFilter_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o)); vtkElevationFilter ret = (cPtr is null) ? null : new vtkElevationFilter(cPtr, false); return ret; } public vtkElevationFilter NewInstance() const { void* cPtr = vtkd_im.vtkElevationFilter_NewInstance(cast(void*)swigCPtr); vtkElevationFilter ret = (cPtr is null) ? null : new vtkElevationFilter(cPtr, false); return ret; } alias vtkDataSetAlgorithm.vtkDataSetAlgorithm.NewInstance NewInstance; public void SetLowPoint(double _arg1, double _arg2, double _arg3) { vtkd_im.vtkElevationFilter_SetLowPoint__SWIG_0(cast(void*)swigCPtr, _arg1, _arg2, _arg3); } public void SetLowPoint(SWIGTYPE_p_double.SWIGTYPE_p_double _arg) { vtkd_im.vtkElevationFilter_SetLowPoint__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(_arg)); } public double* GetLowPoint() { auto ret = cast(double*)vtkd_im.vtkElevationFilter_GetLowPoint__SWIG_0(cast(void*)swigCPtr); return ret; } public void GetLowPoint(SWIGTYPE_p_double.SWIGTYPE_p_double data) { vtkd_im.vtkElevationFilter_GetLowPoint__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(data)); } public void SetHighPoint(double _arg1, double _arg2, double _arg3) { vtkd_im.vtkElevationFilter_SetHighPoint__SWIG_0(cast(void*)swigCPtr, _arg1, _arg2, _arg3); } public void SetHighPoint(SWIGTYPE_p_double.SWIGTYPE_p_double _arg) { vtkd_im.vtkElevationFilter_SetHighPoint__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(_arg)); } public double* GetHighPoint() { auto ret = cast(double*)vtkd_im.vtkElevationFilter_GetHighPoint__SWIG_0(cast(void*)swigCPtr); return ret; } public void GetHighPoint(SWIGTYPE_p_double.SWIGTYPE_p_double data) { vtkd_im.vtkElevationFilter_GetHighPoint__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(data)); } public void SetScalarRange(double _arg1, double _arg2) { vtkd_im.vtkElevationFilter_SetScalarRange__SWIG_0(cast(void*)swigCPtr, _arg1, _arg2); } public void SetScalarRange(SWIGTYPE_p_double.SWIGTYPE_p_double _arg) { vtkd_im.vtkElevationFilter_SetScalarRange__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(_arg)); } public double* GetScalarRange() { auto ret = cast(double*)vtkd_im.vtkElevationFilter_GetScalarRange__SWIG_0(cast(void*)swigCPtr); return ret; } public void GetScalarRange(SWIGTYPE_p_double.SWIGTYPE_p_double data) { vtkd_im.vtkElevationFilter_GetScalarRange__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(data)); } }
D
module main; import std.functional: toDelegate; import gio.c.types: GApplicationFlags; import gio.FileIF: FileIF; import gio.Application: gioApplication = Application; import gtk.Application: Application; import gtk.Window: Window; import globals: programID; import frontend.browser: Browser; import settings: BrowserSettings; /** * GTKApplication that represents the browser to the GTK ecosystem. * It handles everything from opening commandline files to main windows. */ class MainApplication : Application { /** * Will create the object and set up the proper signals. */ this() { super(programID, GApplicationFlags.HANDLES_OPEN); // Handle opening URLs addOnActivate(toDelegate(&activateSignal)); addOnOpen(toDelegate(&openTabsSignal)); } // When no URL to be opened is passed, this is called instead of // openTabsSignal. // In this case we are going to open a new main window. private void activateSignal(gioApplication) { auto settings = new BrowserSettings(); addWindow(new Browser(this, settings.homepage)); } // When some URLs are to be opened, this is called instead of // activateSignal. // In this case, we will want to append tabs to the active window. private void openTabsSignal(FileIF[] files, string, gioApplication) { auto win = cast(Browser)getActiveWindow(); if (win is null) { win = new Browser(this, files[0].getUri); addWindow(win); foreach (i; 1..files.length) { win.newTab(files[i].getUri()); } } else { foreach (file; files) { win.newTab(file.getUri()); } } } } void main(string[] args) { auto app = new MainApplication(); app.run(args); }
D
in theory in a theoretical manner
D
# FIXED HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_trng_wrapper.c HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_types.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/../inc/hw_chip_def.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_sysctl.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_trng_wrapper.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/trng.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_trng.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_memmap.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ints.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/debug.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/interrupt.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_nvic.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/cpu.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_cpu_scs.h HAL/Target/CC2650/Drivers/hal_trng_wrapper.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../driverlib/rom.h C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_trng_wrapper.c: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/../inc/hw_chip_def.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_sysctl.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_trng_wrapper.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/trng.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_trng.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_memmap.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ints.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/debug.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/interrupt.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_nvic.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/cpu.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_cpu_scs.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../driverlib/rom.h:
D
/** * Copyright © DiamondMVC 2019 * License: MIT (https://github.com/DiamondMVC/Diamond/blob/master/LICENSE) * Author: Jacob Jensen (bausshf) */ module diamond.data.transaction; /// Wrapper for transactional data management. final class Transaction(T) if (is(T == struct) || isScalarType!T) { private: /// The commit delegate. void delegate(Snapshot!T) _commit; /// The success delegate. void delegate(Snapshot!T) _success; /// The failure delegate. bool delegate(Snapshot!T, Throwable, size_t) _failure; public: final: /// Creates a new transactional data manager. this() { } /** * Creates a new transactional data manager. * Params: * onCommit = The delegate called when committing. * onSuccess = The delegate called when a commit succeeded. * onFailure = The delegate called when a commit failed. */ this ( void delegate(Snapshot!T) onCommit, void delegate(Snapshot!T) onSuccess, bool delegate(Snapshot!T, Throwable, size_t) onFailure ) { _exec = onExec; _success = onSuccess; _failure = onFailure; } @property { /// Sets the delegate called when comitting. void commit(void delegate(Snapshot!T) onCommit) { _commit = onCommit; } /// Sets the delegate called when a commit succeeded. void success(void delegate(Snapshot!T) onSuccess) { _success = onSuccess; } /// Sets the delegate called when a commit failed. void failure(bool delegate(Snapshot!T, Throwable, size_t) onFailure) { _failure = onFailure; } } /** * Commits the transaction. * Params: * snapshot = The snapshot to commit. * retries = The amount of retries a commit has had. */ private void call(Snapshot!T snapshot, size_t retries) { try { if (_commit) _commit(snapshot); if (_success) _success(snapshot); } catch (Throwable t) { if (_failure && _failure(snapshot, t, retries)) { call(snapshot, retries + 1); } else { throw t; } } } /// Operator overload for calling the transaction and committing it. void opCall(Snapshot!T snapshot) { call(snapshot, 0); } }
D
instance PAL_281_Fajeth(Npc_Default) { name[0] = "Фаджет"; guild = GIL_OUT; id = 281; voice = 12; flags = NPC_FLAG_IMMORTAL; npcType = npctype_main; B_SetAttributesToChapter(self,4); fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,ItMw_2h_Pal_Sword); EquipItem(self,ItRw_Mil_Crossbow); B_CreateAmbientInv(self); B_SetNpcVisual(self,MALE,"Hum_Head_Fighter",Face_N_Fingers,BodyTex_N,ItAr_PAL_M); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Militia.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,65); daily_routine = Rtn_Start_281; }; func void Rtn_Start_281() { TA_Stand_Guarding(8,0,23,0,"OW_NEWMINE_09"); TA_Stand_Guarding(23,0,8,0,"OW_NEWMINE_09"); };
D
module org.serviio.licensing.LicenseProperties; public class LicenseProperties { enum LicensePropertiesEnum : String { TYPE = "type", EDITION = "edition", VERSION = "version", ID = "id", NAME = "name", EMAIL = "email", } LicensePropertiesEnum licenseProperties; alias licenseProperties this; public String getName() { return cast(String)licenseProperties; } } /* Location: D:\Program Files\Serviio\lib\serviio.jar * Qualified Name: org.serviio.licensing.LicenseProperties * JD-Core Version: 0.6.2 */
D
instance DIA_NONE_101_MARIO_DI_EXIT(C_Info) { npc = None_101_Mario_DI; nr = 999; condition = DIA_NONE_101_MARIO_DI_EXIT_Condition; information = DIA_NONE_101_MARIO_DI_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_NONE_101_MARIO_DI_EXIT_Condition() { return TRUE; }; func void DIA_NONE_101_MARIO_DI_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_NONE_101_MARIO_DI_Job(C_Info) { npc = None_101_Mario_DI; nr = 4; condition = DIA_NONE_101_MARIO_DI_Job_Condition; information = DIA_NONE_101_MARIO_DI_Job_Info; permanent = TRUE; description = "Тогда у тебя есть шанс показать свои боевые способности."; }; func int DIA_NONE_101_MARIO_DI_Job_Condition() { if((Npc_IsDead(UndeadDragon) == FALSE) && (ORkSturmDI == FALSE)) { return TRUE; }; }; func void DIA_NONE_101_MARIO_DI_Job_Info() { AI_Output(other,self,"DIA_NONE_101_MARIO_DI_Job_15_00"); //Тогда у тебя есть шанс показать свои боевые способности. AI_Output(self,other,"DIA_NONE_101_MARIO_DI_Job_07_01"); //Помедленнее. Всему свое время. AI_Output(other,self,"DIA_NONE_101_MARIO_DI_Job_15_02"); //Ммм. Я именно этого и ожидал от тебя. AI_Output(self,other,"DIA_NONE_101_MARIO_DI_Job_07_03"); //Подожди. }; instance DIA_NONE_101_MARIO_DI_ambush(C_Info) { npc = None_101_Mario_DI; nr = 4; condition = DIA_NONE_101_MARIO_DI_ambush_Condition; information = DIA_NONE_101_MARIO_DI_ambush_Info; important = TRUE; }; func int DIA_NONE_101_MARIO_DI_ambush_Condition() { if(ORkSturmDI == TRUE) { return TRUE; }; }; func void DIA_NONE_101_MARIO_DI_ambush_Info() { AI_Output(self,other,"DIA_NONE_101_MARIO_DI_ambush_07_00"); //Подойди поближе. Так, мой друг. А теперь покажи мне, на что ты способен. AI_Output(other,self,"DIA_NONE_101_MARIO_DI_ambush_15_01"); //Что ты имеешь в виду? AI_Output(self,other,"DIA_NONE_101_MARIO_DI_ambush_07_02"); //Это просто. Хозяин уже устал от тебя. AI_Output(self,other,"DIA_NONE_101_MARIO_DI_ambush_07_03"); //Мне стоило убить тебя раньше. Но мои друзья и я сейчас исправим эту ошибку. Info_ClearChoices(DIA_NONE_101_MARIO_DI_ambush); Info_AddChoice(DIA_NONE_101_MARIO_DI_ambush,Dialog_Ende,DIA_NONE_101_MARIO_DI_ambush_ambush); B_GivePlayerXP(XP_Mario_Ambush); MIS_Mario_Ambush = LOG_SUCCESS; }; func void DIA_NONE_101_MARIO_DI_ambush_ambush() { AI_StopProcessInfos(self); B_Attack(self,other,AR_SuddenEnemyInferno,1); Skeleton_Mario1.aivar[AIV_EnemyOverride] = FALSE; Skeleton_Mario2.aivar[AIV_EnemyOverride] = FALSE; Skeleton_Mario3.aivar[AIV_EnemyOverride] = FALSE; Skeleton_Mario4.aivar[AIV_EnemyOverride] = FALSE; }; instance DIA_MARIO_DI_PICKPOCKET(C_Info) { npc = None_101_Mario_DI; nr = 900; condition = DIA_MARIO_DI_PICKPOCKET_Condition; information = DIA_MARIO_DI_PICKPOCKET_Info; permanent = TRUE; description = Pickpocket_80; }; func int DIA_MARIO_DI_PICKPOCKET_Condition() { return C_Beklauen(71,110); }; func void DIA_MARIO_DI_PICKPOCKET_Info() { Info_ClearChoices(dia_mario_di_pickpocket); Info_AddChoice(dia_mario_di_pickpocket,Dialog_Back,dia_mario_di_pickpocket_back); Info_AddChoice(dia_mario_di_pickpocket,DIALOG_PICKPOCKET,DIA_MARIO_DI_PICKPOCKET_DoIt); }; func void DIA_MARIO_DI_PICKPOCKET_DoIt() { B_Beklauen(); Info_ClearChoices(dia_mario_di_pickpocket); }; func void dia_mario_di_pickpocket_back() { Info_ClearChoices(dia_mario_di_pickpocket); };
D
module dlangui.dialogs.settingsdialog; import dlangui.core.events; import dlangui.core.i18n; import dlangui.core.stdaction; import dlangui.core.files; public import dlangui.core.settings; import dlangui.widgets.controls; import dlangui.widgets.lists; import dlangui.widgets.layouts; import dlangui.widgets.tree; import dlangui.widgets.editors; import dlangui.widgets.menu; import dlangui.widgets.combobox; import dlangui.widgets.styles; import dlangui.platforms.common.platform; import dlangui.dialogs.dialog; private import std.algorithm; private import std.file; private import std.path; private import std.utf : toUTF32; private import std.conv : to; private import std.array : split; /// item on settings page class SettingsItem { protected string _id; protected UIString _label; protected SettingsPage _page; this(string id, UIString label) { _id = id; _label = label; } /// setting path, e.g. "editor/tabSize" @property string id() { return _id; } @property ref UIString label() { return _label; } /// create setting widget Widget[] createWidgets(Setting settings) { TextWidget res = new TextWidget(_id, _label); return [res]; } } /// checkbox setting class CheckboxItem : SettingsItem { private bool _inverse; this(string id, UIString label, bool inverse = false) { super(id, label); _inverse = inverse; } /// create setting widget override Widget[] createWidgets(Setting settings) { CheckBox res = new CheckBox(_id, _label); Setting setting = settings.settingByPath(_id, SettingType.FALSE); res.checked = setting.boolean ^ _inverse; res.checkChange = delegate(Widget source, bool checked) { setting.boolean = checked ^ _inverse; return true; }; return [res]; } } /// ComboBox based setting with string keys class StringComboBoxItem : SettingsItem { protected StringListValue[] _items; this(string id, UIString label, StringListValue[] items) { super(id, label); _items = items; } /// create setting widget override Widget[] createWidgets(Setting settings) { TextWidget lbl = new TextWidget(_id ~ "-label", _label); ComboBox cb = new ComboBox(_id, _items); cb.minWidth = 200; Setting setting = settings.settingByPath(_id, SettingType.STRING); string itemId = setting.str; int index = -1; for (int i = 0; i < _items.length; i++) { if (_items[i].stringId.equal(itemId)) { index = i; break; } } if (index >= 0) cb.selectedItemIndex = index; cb.itemClick = delegate(Widget source, int itemIndex) { if (itemIndex >= 0 && itemIndex < _items.length) setting.str = _items[itemIndex].stringId; return true; }; return [lbl, cb]; } } /// ComboBox based setting with int keys class IntComboBoxItem : SettingsItem { protected StringListValue[] _items; this(string id, UIString label, StringListValue[] items) { super(id, label); _items = items; } /// create setting widget override Widget[] createWidgets(Setting settings) { TextWidget lbl = new TextWidget(_id ~ "-label", _label); ComboBox cb = new ComboBox(_id, _items); cb.minWidth = 100; Setting setting = settings.settingByPath(_id, SettingType.INTEGER); long itemId = setting.integer; int index = -1; for (int i = 0; i < _items.length; i++) { if (_items[i].intId == itemId) { index = i; break; } } if (index >= 0) cb.selectedItemIndex = index; cb.itemClick = delegate(Widget source, int itemIndex) { if (itemIndex >= 0 && itemIndex < _items.length) setting.integer = _items[itemIndex].intId; return true; }; return [lbl, cb]; } } /// ComboBox based setting with floating point keys (actualy, fixed point digits after period is specidied by divider constructor parameter) class FloatComboBoxItem : SettingsItem { protected StringListValue[] _items; protected long _divider; this(string id, UIString label, StringListValue[] items, long divider = 1000) { super(id, label); _items = items; _divider = divider; } /// create setting widget override Widget[] createWidgets(Setting settings) { TextWidget lbl = new TextWidget(_id ~ "-label", _label); ComboBox cb = new ComboBox(_id, _items); cb.minWidth = 100; Setting setting = settings.settingByPath(_id, SettingType.FLOAT); long itemId = cast(long)(setting.floating * _divider); int index = -1; for (int i = 0; i < _items.length; i++) { if (_items[i].intId == itemId) { index = i; break; } } if (index >= 0) cb.selectedItemIndex = index; cb.itemClick = delegate(Widget source, int itemIndex) { if (itemIndex >= 0 && itemIndex < _items.length) setting.floating = _items[itemIndex].intId / cast(double)_divider; return true; }; return [lbl, cb]; } } class NumberEditItem : SettingsItem { protected int _minValue; protected int _maxValue; protected int _defaultValue; this(string id, UIString label, int minValue = int.max, int maxValue = int.max, int defaultValue = 0) { super(id, label); _minValue = minValue; _maxValue = maxValue; _defaultValue = defaultValue; } /// create setting widget override Widget[] createWidgets(Setting settings) { TextWidget lbl = new TextWidget(_id ~ "-label", _label); EditLine ed = new EditLine(_id ~ "-edit", _label); ed.minWidth = 100; Setting setting = settings.settingByPath(_id, SettingType.INTEGER); int n = cast(int)setting.integerDef(_defaultValue); if (_minValue != int.max && n < _minValue) n = _minValue; if (_maxValue != int.max && n > _maxValue) n = _maxValue; setting.integer = cast(long)n; ed.text = toUTF32(to!string(n)); ed.contentChange = delegate(EditableContent content) { long v = parseLong(toUTF8(content.text), long.max); if (v != long.max) { if ((_minValue == int.max || v >= _minValue) && (_maxValue == int.max || v <= _maxValue)) { setting.integer = v; ed.textColor = 0x000000; } else { ed.textColor = 0xFF0000; } } }; return [lbl, ed]; } } class StringEditItem : SettingsItem { string _defaultValue; this(string id, UIString label, string defaultValue) { super(id, label); _defaultValue = defaultValue; } /// create setting widget override Widget[] createWidgets(Setting settings) { TextWidget lbl = new TextWidget(_id ~ "-label", _label); EditLine ed = new EditLine(_id ~ "-edit"); ed.minWidth = 200; Setting setting = settings.settingByPath(_id, SettingType.STRING); string value = setting.strDef(_defaultValue); setting.str = value; ed.text = toUTF32(value); ed.contentChange = delegate(EditableContent content) { string value = toUTF8(content.text); setting.str = value; }; return [lbl, ed]; } } class FileNameEditItem : SettingsItem { string _defaultValue; this(string id, UIString label, string defaultValue) { super(id, label); _defaultValue = defaultValue; } /// create setting widget override Widget[] createWidgets(Setting settings) { import dlangui.dialogs.filedlg; TextWidget lbl = new TextWidget(_id ~ "-label", _label); FileNameEditLine ed = new FileNameEditLine(_id ~ "-filename-edit"); ed.minWidth = 200; Setting setting = settings.settingByPath(_id, SettingType.STRING); string value = setting.strDef(_defaultValue); setting.str = value; ed.text = toUTF32(value); ed.contentChange = delegate(EditableContent content) { string value = toUTF8(content.text); setting.str = value; }; return [lbl, ed]; } } class ExecutableFileNameEditItem : SettingsItem { string _defaultValue; this(string id, UIString label, string defaultValue) { super(id, label); _defaultValue = defaultValue; } /// create setting widget override Widget[] createWidgets(Setting settings) { import dlangui.dialogs.filedlg; TextWidget lbl = new TextWidget(_id ~ "-label", _label); FileNameEditLine ed = new FileNameEditLine(_id ~ "-filename-edit"); ed.addFilter(FileFilterEntry(UIString("Executable files"d), "*.exe", true)); ed.minWidth = 200; Setting setting = settings.settingByPath(_id, SettingType.STRING); string value = setting.strDef(_defaultValue); setting.str = value; ed.text = toUTF32(value); ed.contentChange = delegate(EditableContent content) { string value = toUTF8(content.text); setting.str = value; }; return [lbl, ed]; } } class PathNameEditItem : SettingsItem { string _defaultValue; this(string id, UIString label, string defaultValue) { super(id, label); _defaultValue = defaultValue; } /// create setting widget override Widget[] createWidgets(Setting settings) { import dlangui.dialogs.filedlg; TextWidget lbl = new TextWidget(_id ~ "-label", _label); DirEditLine ed = new DirEditLine(_id ~ "-path-edit"); ed.addFilter(FileFilterEntry(UIString("All files"d), "*.*")); ed.minWidth = 200; Setting setting = settings.settingByPath(_id, SettingType.STRING); string value = setting.strDef(_defaultValue); setting.str = value; ed.text = toUTF32(value); ed.contentChange = delegate(EditableContent content) { string value = toUTF8(content.text); setting.str = value; }; return [lbl, ed]; } } /// settings page - item of settings tree, can edit several settings class SettingsPage { protected SettingsPage _parent; protected ObjectList!SettingsPage _children; protected ObjectList!SettingsItem _items; protected string _id; protected UIString _label; this(string id, UIString label) { _id = id; _label = label; } @property string id() { return _id; } @property ref UIString label() { return _label; } @property int childCount() { return _children.count; } /// returns child page by index SettingsPage child(int index) { return _children[index]; } SettingsPage addChild(SettingsPage item) { _children.add(item); item._parent = this; return item; } SettingsPage addChild(string id, UIString label) { return addChild(new SettingsPage(id, label)); } @property int itemCount() { return _items.count; } /// returns page item by index SettingsItem item(int index) { return _items[index]; } SettingsItem addItem(SettingsItem item) { _items.add(item); item._page = this; return item; } /// add checkbox (boolean value) for setting CheckboxItem addCheckbox(string id, UIString label, bool inverse = false) { CheckboxItem res = new CheckboxItem(id, label, inverse); addItem(res); return res; } /// add EditLine to edit number NumberEditItem addNumberEdit(string id, UIString label, int minValue = int.max, int maxValue = int.max, int defaultValue = 0) { NumberEditItem res = new NumberEditItem(id, label, minValue, maxValue, defaultValue); addItem(res); return res; } /// add EditLine to edit string StringEditItem addStringEdit(string id, UIString label, string defaultValue = "") { StringEditItem res = new StringEditItem(id, label, defaultValue); addItem(res); return res; } /// add EditLine to edit filename FileNameEditItem addFileNameEdit(string id, UIString label, string defaultValue = "") { FileNameEditItem res = new FileNameEditItem(id, label, defaultValue); addItem(res); return res; } /// add EditLine to edit filename PathNameEditItem addDirNameEdit(string id, UIString label, string defaultValue = "") { PathNameEditItem res = new PathNameEditItem(id, label, defaultValue); addItem(res); return res; } /// add EditLine to edit executable file name ExecutableFileNameEditItem addExecutableFileNameEdit(string id, UIString label, string defaultValue = "") { ExecutableFileNameEditItem res = new ExecutableFileNameEditItem(id, label, defaultValue); addItem(res); return res; } StringComboBoxItem addStringComboBox(string id, UIString label, StringListValue[] items) { StringComboBoxItem res = new StringComboBoxItem(id, label, items); addItem(res); return res; } IntComboBoxItem addIntComboBox(string id, UIString label, StringListValue[] items) { IntComboBoxItem res = new IntComboBoxItem(id, label, items); addItem(res); return res; } FloatComboBoxItem addFloatComboBox(string id, UIString label, StringListValue[] items, long divider = 1000) { FloatComboBoxItem res = new FloatComboBoxItem(id, label, items, divider); addItem(res); return res; } /// create page widget (default implementation creates empty page) Widget createWidget(Setting settings) { VerticalLayout res = new VerticalLayout(_id); res.minWidth(200).minHeight(200).layoutWidth(FILL_PARENT).layoutHeight(FILL_PARENT); if (itemCount > 0) { TextWidget caption = new TextWidget("prop-body-caption-" ~ _id, _label); caption.styleId = STYLE_SETTINGS_PAGE_TITLE; caption.layoutWidth(FILL_PARENT); res.addChild(caption); TableLayout tbl = null; for (int i = 0; i < itemCount; i++) { SettingsItem v = item(i); Widget[] w = v.createWidgets(settings); if (w.length == 1) { tbl = null; res.addChild(w[0]); } else if (w.length == 2) { if (!tbl) { tbl = new TableLayout(); tbl.colCount = 2; res.addChild(tbl); } tbl.addChild(w[0]); tbl.addChild(w[1]); } } } return res; } /// returns true if this page is root page @property bool isRoot() { return !_parent; } TreeItem createTreeItem() { return new TreeItem(_id, _label); } } class SettingsDialog : Dialog { protected TreeWidget _tree; protected FrameLayout _frame; protected Setting _settings; protected SettingsPage _layout; this(UIString caption, Window parent, Setting settings, SettingsPage layout, bool popup = ((Platform.instance.uiDialogDisplayMode() & DialogDisplayMode.settingsDialogInPopup) == DialogDisplayMode.settingsDialogInPopup)) { super(caption, parent, DialogFlag.Modal | DialogFlag.Resizable | (popup?DialogFlag.Popup:0)); _settings = settings; _layout = layout; } void onTreeItemSelected(TreeItems source, TreeItem selectedItem, bool activated) { if (!selectedItem) return; _frame.showChild(selectedItem.id); } void createControls(SettingsPage page, TreeItem base) { TreeItem item = base; if (!page.isRoot) { item = page.createTreeItem(); base.addChild(item); Widget widget = page.createWidget(_settings); _frame.addChild(widget); } if (page.childCount > 0) { for (int i = 0; i < page.childCount; i++) { createControls(page.child(i), item); } } } /// override to implement creation of dialog controls override void initialize() { minWidth(600).minHeight(400); _tree = new TreeWidget("prop_tree"); _tree.styleId = STYLE_SETTINGS_TREE; _tree.layoutHeight(FILL_PARENT).layoutHeight(FILL_PARENT).minHeight(200).minWidth(100); _tree.selectionChange = &onTreeItemSelected; _tree.fontSize = 16; _frame = new FrameLayout("prop_pages"); _frame.styleId = STYLE_SETTINGS_PAGES; _frame.layoutHeight(FILL_PARENT).layoutHeight(FILL_PARENT).minHeight(200).minWidth(100); createControls(_layout, _tree.items); HorizontalLayout content = new HorizontalLayout("settings_dlg_content"); content.addChild(_tree); content.addChild(_frame); content.layoutHeight(FILL_PARENT).layoutHeight(FILL_PARENT); addChild(content); addChild(createButtonsPanel([ACTION_APPLY, ACTION_CANCEL], 0, 0)); if (_layout.childCount > 0) _tree.selectItem(_layout.child(0).id); } }
D
import std.stdio, std.algorithm, std.string, std.array; void main() { }
D
import std.concurrency; import std.experimental.logger; import std.string; import bindbc.sdl; import bindbc.sdl.ttf; import cat.wheel.events; import cat.wheel.graphics; import cat.wheel.input; import graphics; int main() { info("Loading SDL"); immutable(SDLSupport) sdlRet = loadSDL(); if (sdlRet != sdlSupport) { if (sdlRet == SDLSupport.noLibrary) { fatal("Failed to load SDL. Make sure you have it installed on your system."); } else if (sdlRet == SDLSupport.badLibrary) { error("SDL failed to load in its entirity. The app will run, but some things may not work as expected."); } } else { info("SDL loaded successfully"); } info("Loading SDL_TTF"); immutable(SDLTTFSupport) ttfRet = loadSDLTTF(); if (ttfRet != sdlTTFSupport) { if (ttfRet == SDLTTFSupport.noLibrary) { error("Failed to load SDL_TTF. No text can be displayed."); info("If text is desirable, ensure SDL_TTF is instlled on your system."); } else if (ttfRet == SDLTTFSupport.badLibrary) { error("SDL_TTF failed to load in its entirity. Some features may not work as expected."); } } initSDL(SDL_INIT_VIDEO | SDL_INIT_AUDIO | SDL_INIT_TIMER); if (TTF_Init() != 0) { error("Failed to initialise SDL_TTF."); } Handler handler = new Handler(); handler.addDelegate((EventArgs args) { if (args.classinfo == typeid(PumpEventArgs) && (cast(PumpEventArgs) args).event.type == SDL_EventType.SDL_QUIT) { handler.stop(); } }, ED_PUMP); info("Setting graphics up"); setup(); handler.addDelegate((args) { render(); }, ED_POST_TICK); info("Setting input up"); handler.addDelegate((args) { if (args.classinfo == typeid(PumpEventArgs)) { SDL_Event e = (cast(PumpEventArgs) args).event; if (e.type == SDL_EventType.SDL_TEXTEDITING) { data.currentcmd = e.edit.text.idup; // } else if (e.type == SDL_EventType.SDL_KEYDOWN) { // if (e.key.keysym.sym == SDL_Keycode.SDLK_RETURN) { // SDL_StopTextInput(); // } } else if (e.type == SDL_EventType.SDL_TEXTINPUT) { data.currentcmd = ""; } } }, ED_PUMP); // InputHandler input = new InputHandler(handler); // handler.addDelegate((args) { // if (args.classinfo == typeid(KeyboardEventArgs)) { // Keysym s = (cast(KeyboardEventArgs) args).sym; // } // }, EI_KEY_PRESSED); SDL_StartTextInput(); info("Starting SDL Handler"); handler.handle(); if (TTF_WasInit()) TTF_Quit(); return 0; }
D
/Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/Objects-normal/x86_64/UIColor+Extensions.o : /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPPickerVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPPhotoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibrary+LibraryChange.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPermissionCheckable.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PreiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PostiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+PanGesture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImageSize.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilterCollectionViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPMediaItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPMenuItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbum.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPPickerScreen.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImagePickerConfiguration.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPLibrarySelection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPDragDirection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPPermissionDeniedPopup.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/LibraryMediaManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumsManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPImagePicker.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetViewContainer.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPDeviceOrientationHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilter.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPhotoSaver.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPTrimError.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPVideoProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPWordings.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPIcons.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/URL+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureDevice+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFileType+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/String+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureSession+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFoundation+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVMutableComposition+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIButton+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHCachingImageManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/NSFileManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVPlayer+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIColor+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGFloat+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGRect+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/IndexSet+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVAsset+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHFetchResult+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UICollectionView+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoaders.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPColors.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCaptureDefaults.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPAlerts.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPPagerMenu.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPGridView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetZoomableView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoadingView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+CollectionView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPagerView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFiltersView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryView.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/CoreMIDI.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/simd.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/AVFoundation.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/CoreAudio.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/Photos.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/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/AVFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreAudio.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Photos.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 /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Modules/Stevia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Modules/PryntTrimmerView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/YPImagePicker/YPImagePicker-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/SteviaLayout/SteviaLayout-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/PryntTrimmerView/PryntTrimmerView-umbrella.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Headers/Stevia-Swift.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Headers/PryntTrimmerView-Swift.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/unextended-module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/SteviaLayout.build/module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/PryntTrimmerView.build/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/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.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/CoreAudioTypes.framework/Headers/CoreAudioTypes.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/Photos.framework/Headers/Photos.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/Objects-normal/x86_64/UIColor+Extensions~partial.swiftmodule : /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPPickerVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPPhotoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibrary+LibraryChange.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPermissionCheckable.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PreiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PostiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+PanGesture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImageSize.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilterCollectionViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPMediaItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPMenuItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbum.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPPickerScreen.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImagePickerConfiguration.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPLibrarySelection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPDragDirection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPPermissionDeniedPopup.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/LibraryMediaManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumsManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPImagePicker.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetViewContainer.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPDeviceOrientationHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilter.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPhotoSaver.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPTrimError.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPVideoProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPWordings.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPIcons.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/URL+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureDevice+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFileType+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/String+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureSession+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFoundation+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVMutableComposition+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIButton+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHCachingImageManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/NSFileManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVPlayer+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIColor+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGFloat+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGRect+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/IndexSet+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVAsset+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHFetchResult+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UICollectionView+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoaders.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPColors.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCaptureDefaults.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPAlerts.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPPagerMenu.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPGridView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetZoomableView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoadingView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+CollectionView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPagerView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFiltersView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryView.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/CoreMIDI.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/simd.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/AVFoundation.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/CoreAudio.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/Photos.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/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/AVFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreAudio.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Photos.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 /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Modules/Stevia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Modules/PryntTrimmerView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/YPImagePicker/YPImagePicker-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/SteviaLayout/SteviaLayout-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/PryntTrimmerView/PryntTrimmerView-umbrella.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Headers/Stevia-Swift.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Headers/PryntTrimmerView-Swift.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/unextended-module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/SteviaLayout.build/module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/PryntTrimmerView.build/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/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.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/CoreAudioTypes.framework/Headers/CoreAudioTypes.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/Photos.framework/Headers/Photos.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/Objects-normal/x86_64/UIColor+Extensions~partial.swiftdoc : /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPPickerVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPPhotoFiltersVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryVC.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibrary+LibraryChange.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPermissionCheckable.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PreiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/PostiOS10PhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCapture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+PanGesture.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImageSize.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilterCollectionViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryViewCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryCell.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPMediaItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPMenuItem.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbum.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPPickerScreen.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPImagePickerConfiguration.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPLibrarySelection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPDragDirection.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPPermissionDeniedPopup.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/LibraryMediaManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumsManager.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/YPImagePicker.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetViewContainer.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Video/YPVideoCaptureHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPDeviceOrientationHelper.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFilter.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPPhotoSaver.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Models/YPTrimError.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPVideoProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPWordings.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPIcons.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/URL+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureDevice+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIImage+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFileType+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/String+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVCaptureSession+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVFoundation+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVMutableComposition+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIButton+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHCachingImageManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/NSFileManager+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVPlayer+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UIColor+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGFloat+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/CGRect+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/IndexSet+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/AVAsset+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/PHFetchResult+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/Extensions/UICollectionView+Extensions.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoaders.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Configuration/YPColors.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPPhotoCaptureDefaults.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPAlerts.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPPagerMenu.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Photo/YPCameraView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPGridView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAssetZoomableView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Helpers/YPLoadingView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPAlbumView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryVC+CollectionView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Video/YPVideoView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/Crop/YPCropView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/BottomPager/YPBottomPagerView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Filters/YPFiltersView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/Pages/Gallery/YPLibraryView.swift /Users/macbook/Desktop/BookFarm/Pods/YPImagePicker/Source/SelectionsGallery/YPSelectionsGalleryView.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/CoreMIDI.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreMedia.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/simd.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/AVFoundation.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/CoreAudio.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/Photos.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/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/AVFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreAudio.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Photos.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 /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Modules/Stevia.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Modules/PryntTrimmerView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/YPImagePicker/YPImagePicker-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/SteviaLayout/SteviaLayout-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/PryntTrimmerView/PryntTrimmerView-umbrella.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/SteviaLayout/Stevia.framework/Headers/Stevia-Swift.h /Users/macbook/Desktop/BookFarm/build/Debug-iphonesimulator/PryntTrimmerView/PryntTrimmerView.framework/Headers/PryntTrimmerView-Swift.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/YPImagePicker.build/unextended-module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/SteviaLayout.build/module.modulemap /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/PryntTrimmerView.build/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/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.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/CoreAudioTypes.framework/Headers/CoreAudioTypes.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/Photos.framework/Headers/Photos.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/** * Break down a D type into basic (register) types for the AArch64 ABI. * * Copyright: Copyright (C) 1999-2023 by The D Language Foundation, All Rights Reserved * Authors: Martin Kinkelin * 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/argtypes_aarch64.d, _argtypes_aarch64.d) * Documentation: https://dlang.org/phobos/dmd_argtypes_aarch64.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/argtypes_aarch64.d */ module dmd.argtypes_aarch64; import dmd.astenums; import dmd.mtype; /**************************************************** * This breaks a type down into 'simpler' types that can be passed to a function * in registers, and returned in registers. * This is the implementation for the AAPCS64 ABI, based on * https://github.com/ARM-software/abi-aa/blob/master/aapcs64/aapcs64.rst. * Params: * t = type to break down * Returns: * tuple of 1 type if `t` can be passed in registers; e.g., a static array * for Homogeneous Floating-point/Vector Aggregates (HFVA). * A tuple of zero length means the type cannot be passed/returned in registers. * null indicates a `void`. */ extern (C++) TypeTuple toArgTypes_aarch64(Type t) { if (t == Type.terror) return new TypeTuple(t); const size = cast(size_t) t.size(); if (size == 0) return null; Type tb = t.toBasetype(); const isAggregate = tb.ty == Tstruct || tb.ty == Tsarray || tb.ty == Tarray || tb.ty == Tdelegate || tb.iscomplex(); if (!isAggregate) return new TypeTuple(t); Type hfvaType; enum maxNumHFVAElements = 4; const isHFVA = size > maxNumHFVAElements * 16 ? false : isHFVA(tb, maxNumHFVAElements, &hfvaType); // non-PODs and larger non-HFVA PODs are passed indirectly by value (pointer to caller-allocated copy) if ((size > 16 && !isHFVA) || !isPOD(tb)) return TypeTuple.empty; if (isHFVA) { // pass in SIMD registers return new TypeTuple(hfvaType); } // pass remaining aggregates in 1 or 2 GP registers static Type getGPType(size_t size) { switch (size) { case 1: return Type.tint8; case 2: return Type.tint16; case 4: return Type.tint32; case 8: return Type.tint64; default: return Type.tint64.sarrayOf((size + 7) / 8); } } return new TypeTuple(getGPType(size)); } /** * A Homogeneous Floating-point/Vector Aggregate (HFA/HVA) is an ARM/AArch64 * concept that consists of up to 4 elements of the same floating point/vector * type. It is the aggregate final data layout that matters so structs, unions, * static arrays and complex numbers can result in an HFVA. * * simple HFAs: struct F1 {float f;} struct D4 {double a,b,c,d;} * interesting HFA: struct {F1[2] vals; float weight;} * * If the type is an HFVA and `rewriteType` is specified, it is set to a * corresponding static array type. */ extern (C++) bool isHFVA(Type t, int maxNumElements = 4, Type* rewriteType = null) { t = t.toBasetype(); if ((t.ty != Tstruct && t.ty != Tsarray && !t.iscomplex()) || !isPOD(t)) return false; Type fundamentalType; const N = getNestedHFVA(t, fundamentalType); if (N < 1 || N > maxNumElements) return false; if (rewriteType) *rewriteType = fundamentalType.sarrayOf(N); return true; } private: bool isPOD(Type t) { auto baseType = t.baseElemOf(); if (auto ts = baseType.isTypeStruct()) return ts.sym.isPOD(); return true; } /** * Recursive helper. * Returns size_t.max if the type isn't suited as HFVA (element) or incompatible * to the specified fundamental type, otherwise the number of consumed elements * of that fundamental type. * If `fundamentalType` is null, it is set on the first occasion and then left * untouched. */ size_t getNestedHFVA(Type t, ref Type fundamentalType) { t = t.toBasetype(); if (auto tarray = t.isTypeSArray()) { const N = getNestedHFVA(tarray.nextOf(), fundamentalType); return N == size_t.max ? N : N * cast(size_t) tarray.dim.toUInteger(); // => T[0] may return 0 } if (auto tstruct = t.isTypeStruct()) { // check each field recursively and set fundamentalType bool isEmpty = true; foreach (field; tstruct.sym.fields) { const field_N = getNestedHFVA(field.type, fundamentalType); if (field_N == size_t.max) return field_N; if (field_N > 0) // might be 0 for empty static array isEmpty = false; } // an empty struct (no fields or only empty static arrays) is an undefined // byte, i.e., no HFVA if (isEmpty) return size_t.max; // due to possibly overlapping fields (for unions and nested anonymous // unions), use the overall struct size to determine N const structSize = t.size(); const fundamentalSize = fundamentalType.size(); assert(structSize % fundamentalSize == 0); return cast(size_t) (structSize / fundamentalSize); } Type thisFundamentalType; size_t N; if (t.isTypeVector()) { thisFundamentalType = t; N = 1; } else if (t.isfloating()) // incl. imaginary and complex { auto ftSize = t.size(); N = 1; if (t.iscomplex()) { ftSize /= 2; N = 2; } switch (ftSize) { case 4: thisFundamentalType = Type.tfloat32; break; case 8: thisFundamentalType = Type.tfloat64; break; case 16: thisFundamentalType = Type.tfloat80; break; // IEEE quadruple default: assert(0, "unexpected floating-point type size"); } } else { return size_t.max; // reject all other types } if (!fundamentalType) fundamentalType = thisFundamentalType; // initialize else if (fundamentalType != thisFundamentalType) return size_t.max; // incompatible fundamental types, reject return N; }
D
func void B_AssessSurprise() { Npc_SetTarget(self,other); if(!C_NpcIsHero(self)) { self.aivar[AIV_ATTACKREASON] = AR_GuildEnemy; }; }; func void ZS_Attack() { Perception_Set_Minimal(); Npc_PercEnable(self,PERC_ASSESSSURPRISE,B_AssessSurprise); B_ValidateOther(); self.aivar[AIV_LASTTARGET] = Hlp_GetInstanceID(other); if(CurrentLevel == NEWWORLD_ZEN) { if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Dexter)) { B_Greg_ComesToDexter(); } else if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Randolph)) { if(Npc_GetDistToWP(self,"NW_FARM2_TO_TAVERN_06") <= 5000) { B_Flee(); return; }; } else if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Cornelius)) { if(Npc_GetDistToWP(self,"NW_XARDAS_BANDITS_LEFT") <= 5000) { B_Flee(); return; }; } else if((BragoBanditsAttacked == FALSE) && (Kapitel < 3)) { if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Ambusher_1013)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Ambusher_1014)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Ambusher_1015))) { BragoBanditsAttacked = TRUE; }; }; }; if(C_WantToFlee(self,other)) { B_Flee(); return; }; if(self.aivar[AIV_LOADGAME] == FALSE) { B_Say_AttackReason(); }; if(Npc_IsInFightMode(self,FMODE_NONE) && (self.guild != GIL_STRF)) { AI_EquipBestRangedWeapon(self); AI_EquipBestMeleeWeapon(self); }; AI_Standup(self); B_StopLookAt(self); B_TurnToNpc(self,other); AI_SetWalkMode(self,NPC_RUN); self.aivar[AIV_Guardpassage_Status] = GP_NONE; self.aivar[AIV_LastAbsolutionLevel] = B_GetCurrentAbsolutionLevel(self); self.aivar[AIV_PursuitEnd] = FALSE; self.aivar[AIV_StateTime] = 0; self.aivar[AIV_TAPOSITION] = 0; self.aivar[AIV_HitByOtherNpc] = 0; self.aivar[AIV_SelectSpell] = 0; }; func int ZS_Attack_Loop() { Npc_GetTarget(self); if(C_WantToFlee(self,other)) { return LOOP_END; }; if(Npc_GetDistToNpc(self,other) > self.aivar[AIV_FightDistCancel]) { Npc_ClearAIQueue(self); AI_Standup(self); self.aivar[AIV_PursuitEnd] = TRUE; return LOOP_END; }; if((Npc_GetStateTime(self) > self.aivar[AIV_MM_FollowTime]) && (self.aivar[AIV_PursuitEnd] == FALSE)) { Npc_ClearAIQueue(self); AI_Standup(self); self.aivar[AIV_PursuitEnd] = TRUE; self.aivar[AIV_Dist] = Npc_GetDistToNpc(self,other); self.aivar[AIV_StateTime] = Npc_GetStateTime(self); if(other.guild < GIL_SEPERATOR_HUM) { //B_Say(self,other,"$RUNCOWARD"); AI_PlayAni(self,"T_IGETYOU"); B_Say_Overlay(self,other,"$RUNCOWARD"); }; }; if(self.aivar[AIV_PursuitEnd] == TRUE) { if(Npc_GetDistToNpc(self,other) > self.senses_range) { return LOOP_END; }; if(Npc_GetStateTime(self) > self.aivar[AIV_StateTime]) { if((Npc_GetDistToNpc(self,other) < self.aivar[AIV_Dist]) || (!C_BodyStateContains(other,BS_RUN) && !C_BodyStateContains(other,BS_JUMP))) { self.aivar[AIV_PursuitEnd] = FALSE; Npc_SetStateTime(self,0); self.aivar[AIV_StateTime] = 0; } else { B_TurnToNpc(self,other); self.aivar[AIV_Dist] = Npc_GetDistToNpc(self,other); self.aivar[AIV_StateTime] = Npc_GetStateTime(self); }; }; return LOOP_CONTINUE; }; if(B_GetCurrentAbsolutionLevel(self) > self.aivar[AIV_LastAbsolutionLevel]) { Npc_ClearAIQueue(self); AI_Standup(self); return LOOP_END; }; if(self.aivar[AIV_MM_FollowInWater] == FALSE) { if(C_BodyStateContains(other,BS_SWIM) || C_BodyStateContains(other,BS_DIVE)) { Npc_ClearAIQueue(self); AI_Standup(self); self.aivar[AIV_PursuitEnd] = TRUE; return LOOP_END; }; }; if(self.aivar[AIV_WaitBeforeAttack] >= 1) { AI_Wait(self,0.8); self.aivar[AIV_WaitBeforeAttack] = 0; }; if(self.aivar[AIV_MaxDistToWp] > 0) { if((Npc_GetDistToWP(self,self.wp) > self.aivar[AIV_MaxDistToWp]) && (Npc_GetDistToWP(other,self.wp) > self.aivar[AIV_MaxDistToWp])) { self.fight_tactic = FAI_NAILED; } else { self.fight_tactic = self.aivar[AIV_OriginalFightTactic]; }; }; if(!C_BodyStateContains(other,BS_RUN) && !C_BodyStateContains(other,BS_JUMP)) { Npc_SetStateTime(self,0); }; if((Npc_GetStateTime(self) > 2) && (self.aivar[AIV_TAPOSITION] == 0)) { B_CallGuards(); self.aivar[AIV_TAPOSITION] = 1; }; if((Npc_GetStateTime(self) > 8) && (self.aivar[AIV_TAPOSITION] == 1)) { B_CallGuards(); self.aivar[AIV_TAPOSITION] = 2; }; B_CreateAmmo(self); B_SelectWeapon(self,other); if(Hlp_IsValidNpc(other) && !C_NpcIsDown(other)) { if(other.aivar[AIV_INVINCIBLE] == FALSE) { AI_Attack(self); } else { Npc_ClearAIQueue(self); }; self.aivar[AIV_LASTTARGET] = Hlp_GetInstanceID(other); return LOOP_CONTINUE; } else { Npc_ClearAIQueue(self); if(Hlp_IsValidNpc(other)) { if(Npc_IsPlayer(other) && C_NpcIsDown(other)) { Npc_SetTempAttitude(self,Npc_GetPermAttitude(self,hero)); }; }; if(self.aivar[AIV_ATTACKREASON] != AR_KILL) { Npc_PerceiveAll(self); Npc_GetNextTarget(self); }; if(Hlp_IsValidNpc(other)) { if(!C_NpcIsDown(other) && ((Npc_GetDistToNpc(self,other) < PERC_DIST_INTERMEDIAT) || Npc_IsPlayer(other)) && (Npc_GetHeightToNpc(self,other) < PERC_DIST_HEIGHT) && (other.aivar[AIV_INVINCIBLE] == FALSE) && !(C_PlayerIsFakeBandit(self,other) && (self.guild == GIL_BDT))) { if(Wld_GetGuildAttitude(self.guild,other.guild) == ATT_HOSTILE) { if(!C_NpcIsHero(self)) { self.aivar[AIV_ATTACKREASON] = AR_GuildEnemy; }; if(C_NpcIsHero(other)) { self.aivar[AIV_LastPlayerAR] = AR_GuildEnemy; self.aivar[AIV_LastFightAgainstPlayer] = FIGHT_CANCEL; self.aivar[AIV_LastFightComment] = FALSE; }; } else if((Npc_GetAttitude(self,other) == ATT_HOSTILE) && !C_NpcIsHero(self)) { self.aivar[AIV_ATTACKREASON] = self.aivar[AIV_LastPlayerAR]; }; return LOOP_CONTINUE; } else { Npc_ClearAIQueue(self); if((self.aivar[AIV_LastFightAgainstPlayer] == FIGHT_CANCEL) && (self.aivar[AIV_LASTTARGET] != Hlp_GetInstanceID(hero))) { self.aivar[AIV_LastFightComment] = TRUE; }; }; } else { Npc_ClearAIQueue(self); if((self.aivar[AIV_LastFightAgainstPlayer] == FIGHT_CANCEL) && (self.aivar[AIV_LASTTARGET] != Hlp_GetInstanceID(hero))) { self.aivar[AIV_LastFightComment] = TRUE; }; }; }; return LOOP_END; }; func void ZS_Attack_End() { var C_Npc target; target = Hlp_GetNpc(self.aivar[AIV_LASTTARGET]); if(C_WantToFlee(self,target)) { B_Flee(); return; }; if(self.aivar[AIV_PursuitEnd] == TRUE) { if(Hlp_IsValidNpc(target) && C_NpcIsHero(target) && (self.npcType != NPCTYPE_FRIEND)) { Npc_SetTempAttitude(self,ATT_HOSTILE); }; if(self.aivar[AIV_ArenaFight] == AF_RUNNING) { self.aivar[AIV_ArenaFight] = AF_AFTER; }; } else { if(B_GetCurrentAbsolutionLevel(self) > self.aivar[AIV_LastAbsolutionLevel]) { B_Say(self,target,"$WISEMOVE"); } else { B_Say_AttackEnd(); }; }; if((target.aivar[AIV_KilledByPlayer] == TRUE) && (Wld_GetGuildAttitude(self.guild,hero.guild) != ATT_HOSTILE)) { B_SetAttitude(self,ATT_FRIENDLY); }; if(Npc_IsInState(target,ZS_Unconscious) && C_NpcHasAttackReasonToKill(self)) { B_FinishingMove(self,target); }; AI_RemoveWeapon(self); if(C_WantToRansack(self,target)) { target.aivar[AIV_RANSACKED] = TRUE; if(target.guild < GIL_SEPERATOR_HUM) { AI_StartState(self,ZS_RansackBody,0,""); return; } else if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(AlligatorJack)) && (target.aivar[AIV_MM_REAL_ID] == ID_SWAMPRAT)) { AI_StartState(self,ZS_GetMeat,0,""); return; }; }; if(self.attribute[ATR_HITPOINTS] < (self.attribute[ATR_HITPOINTS_MAX] / 2)) { AI_StartState(self,ZS_HealSelf,0,""); return; }; };
D
/** This module contains the core functionality of the vibe.d framework. Copyright: © 2012-2020 Sönke Ludwig License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.core.core; public import vibe.core.task; import eventcore.core; import vibe.core.args; import vibe.core.concurrency; import vibe.core.internal.release; import vibe.core.log; import vibe.core.sync : ManualEvent, createSharedManualEvent; import vibe.core.taskpool : TaskPool; import vibe.internal.async; import vibe.internal.array : FixedRingBuffer; //import vibe.utils.array; import std.algorithm; import std.conv; import std.encoding; import core.exception; import std.exception; import std.functional; import std.range : empty, front, popFront; import std.string; import std.traits : isFunctionPointer; import std.typecons : Flag, Yes, Typedef, Tuple, tuple; import core.atomic; import core.sync.condition; import core.sync.mutex; import core.stdc.stdlib; import core.thread; version(Posix) { import core.sys.posix.signal; import core.sys.posix.unistd; import core.sys.posix.pwd; static if (__traits(compiles, {import core.sys.posix.grp; getgrgid(0);})) { import core.sys.posix.grp; } else { extern (C) { struct group { char* gr_name; char* gr_passwd; gid_t gr_gid; char** gr_mem; } group* getgrgid(gid_t); group* getgrnam(in char*); } } } version (Windows) { import core.stdc.signal; } /**************************************************************************************************/ /* Public functions */ /**************************************************************************************************/ /** Performs final initialization and runs the event loop. This function performs three tasks: $(OL $(LI Makes sure that no unrecognized command line options are passed to the application and potentially displays command line help. See also `vibe.core.args.finalizeCommandLineOptions`.) $(LI Performs privilege lowering if required.) $(LI Runs the event loop and blocks until it finishes.) ) Params: args_out = Optional parameter to receive unrecognized command line arguments. If left to `null`, an error will be reported if any unrecognized argument is passed. See_also: ` vibe.core.args.finalizeCommandLineOptions`, `lowerPrivileges`, `runEventLoop` */ int runApplication(string[]* args_out = null) @safe { try if (!() @trusted { return finalizeCommandLineOptions(args_out); } () ) return 0; catch (Exception e) { logDiagnostic("Error processing command line: %s", e.msg); return 1; } lowerPrivileges(); logDiagnostic("Running event loop..."); int status; version (VibeDebugCatchAll) { try { status = runEventLoop(); } catch (Throwable th) { th.logException("Unhandled exception in event loop"); return 1; } } else { status = runEventLoop(); } logDiagnostic("Event loop exited with status %d.", status); return status; } /// A simple echo server, listening on a privileged TCP port. unittest { import vibe.core.core; import vibe.core.net; int main() { // first, perform any application specific setup (privileged ports still // available if run as root) listenTCP(7, (conn) { try conn.write(conn); catch (Exception e) { /* log error */ } }); // then use runApplication to perform the remaining initialization and // to run the event loop return runApplication(); } } /** The same as above, but performing the initialization sequence manually. This allows to skip any additional initialization (opening the listening port) if an invalid command line argument or the `--help` switch is passed to the application. */ unittest { import vibe.core.core; import vibe.core.net; int main() { // process the command line first, to be able to skip the application // setup if not required if (!finalizeCommandLineOptions()) return 0; // then set up the application listenTCP(7, (conn) { try conn.write(conn); catch (Exception e) { /* log error */ } }); // finally, perform privilege lowering (safe to skip for non-server // applications) lowerPrivileges(); // and start the event loop return runEventLoop(); } } /** Starts the vibe.d event loop for the calling thread. Note that this function is usually called automatically by the vibe.d framework. However, if you provide your own `main()` function, you may need to call either this or `runApplication` manually. The event loop will by default continue running during the whole life time of the application, but calling `runEventLoop` multiple times in sequence is allowed. Tasks will be started and handled only while the event loop is running. Returns: The returned value is the suggested code to return to the operating system from the `main` function. See_Also: `runApplication` */ int runEventLoop() @safe nothrow { setupSignalHandlers(); logDebug("Starting event loop."); s_eventLoopRunning = true; scope (exit) { eventDriver.core.clearExitFlag(); s_eventLoopRunning = false; s_exitEventLoop = false; if (s_isMainThread) atomicStore(st_term, false); () @trusted nothrow { scope (failure) assert(false); // notifyAll is not marked nothrow st_threadShutdownCondition.notifyAll(); } (); } // runs any yield()ed tasks first assert(!s_exitEventLoop, "Exit flag set before event loop has started."); s_exitEventLoop = false; performIdleProcessing(); if (getExitFlag()) return 0; Task exit_task; // handle exit flag in the main thread to exit when // exitEventLoop(true) is called from a thread) () @trusted nothrow { if (s_isMainThread) exit_task = runTask(toDelegate(&watchExitFlag)); } (); while (true) { auto er = s_scheduler.waitAndProcess(); if (er != ExitReason.idle || s_exitEventLoop) { logDebug("Event loop exit reason (exit flag=%s): %s", s_exitEventLoop, er); break; } performIdleProcessing(); } // make sure the exit flag watch task finishes together with this loop // TODO: would be nice to do this without exceptions if (exit_task && exit_task.running) exit_task.interrupt(); logDebug("Event loop done (scheduled tasks=%s, waiters=%s, thread exit=%s).", s_scheduler.scheduledTaskCount, eventDriver.core.waiterCount, s_exitEventLoop); return 0; } /** Stops the currently running event loop. Calling this function will cause the event loop to stop event processing and the corresponding call to runEventLoop() will return to its caller. Params: shutdown_all_threads = If true, exits event loops of all threads - false by default. Note that the event loops of all threads are automatically stopped when the main thread exits, so usually there is no need to set shutdown_all_threads to true. */ void exitEventLoop(bool shutdown_all_threads = false) @safe nothrow { logDebug("exitEventLoop called (%s)", shutdown_all_threads); assert(s_eventLoopRunning || shutdown_all_threads, "Exiting event loop when none is running."); if (shutdown_all_threads) { () @trusted nothrow { shutdownWorkerPool(); atomicStore(st_term, true); st_threadsSignal.emit(); } (); } // shutdown the calling thread s_exitEventLoop = true; if (s_eventLoopRunning) eventDriver.core.exit(); } /** Process all pending events without blocking. Checks if events are ready to trigger immediately, and run their callbacks if so. Returns: Returns false $(I iff) exitEventLoop was called in the process. */ bool processEvents() @safe nothrow { return !s_scheduler.process().among(ExitReason.exited, ExitReason.outOfWaiters); } /** Wait once for events and process them. */ ExitReason runEventLoopOnce() @safe nothrow { auto ret = s_scheduler.waitAndProcess(); if (ret == ExitReason.idle) performIdleProcessing(); return ret; } /** Sets a callback that is called whenever no events are left in the event queue. The callback delegate is called whenever all events in the event queue have been processed. Returning true from the callback will cause another idle event to be triggered immediately after processing any events that have arrived in the meantime. Returning false will instead wait until another event has arrived first. */ void setIdleHandler(void delegate() @safe nothrow del) @safe nothrow { s_idleHandler = () @safe nothrow { del(); return false; }; } /// ditto void setIdleHandler(bool delegate() @safe nothrow del) @safe nothrow { s_idleHandler = del; } /** Runs a new asynchronous task. task will be called synchronously from within the vibeRunTask call. It will continue to run until vibeYield() or any of the I/O or wait functions is called. Note that the maximum size of all args must not exceed `maxTaskParameterSize`. */ Task runTask(ARGS...)(void delegate(ARGS) @safe task, auto ref ARGS args) { return runTask_internal!((ref tfi) { tfi.set(task, args); }); } /// ditto Task runTask(ARGS...)(void delegate(ARGS) @system task, auto ref ARGS args) @system { return runTask_internal!((ref tfi) { tfi.set(task, args); }); } /// ditto Task runTask(CALLABLE, ARGS...)(CALLABLE task, auto ref ARGS args) if (!is(CALLABLE : void delegate(ARGS)) && is(typeof(CALLABLE.init(ARGS.init)))) { return runTask_internal!((ref tfi) { tfi.set(task, args); }); } /// ditto Task runTask(ARGS...)(TaskSettings settings, void delegate(ARGS) @safe task, auto ref ARGS args) { return runTask_internal!((ref tfi) { tfi.settings = settings; tfi.set(task, args); }); } /// ditto Task runTask(ARGS...)(TaskSettings settings, void delegate(ARGS) @system task, auto ref ARGS args) @system { return runTask_internal!((ref tfi) { tfi.settings = settings; tfi.set(task, args); }); } /// ditto Task runTask(CALLABLE, ARGS...)(TaskSettings settings, CALLABLE task, auto ref ARGS args) if (!is(CALLABLE : void delegate(ARGS)) && is(typeof(CALLABLE.init(ARGS.init)))) { return runTask_internal!((ref tfi) { tfi.settings = settings; tfi.set(task, args); }); } unittest { // test proportional priority scheduling auto tm = setTimer(1000.msecs, { assert(false, "Test timeout"); }); scope (exit) tm.stop(); size_t a, b; auto t1 = runTask(TaskSettings(1), { while (a + b < 100) { a++; yield(); } }); auto t2 = runTask(TaskSettings(10), { while (a + b < 100) { b++; yield(); } }); runTask({ t1.join(); t2.join(); exitEventLoop(); }); runEventLoop(); assert(a + b == 100); assert(b.among(90, 91, 92)); // expect 1:10 ratio +-1 } /** Runs an asyncronous task that is guaranteed to finish before the caller's scope is left. */ auto runTaskScoped(FT, ARGS)(scope FT callable, ARGS args) { static struct S { Task handle; @disable this(this); ~this() { handle.joinUninterruptible(); } } return S(runTask(callable, args)); } package Task runTask_internal(alias TFI_SETUP)() { import std.typecons : Tuple, tuple; TaskFiber f; while (!f && !s_availableFibers.empty) { f = s_availableFibers.back; s_availableFibers.popBack(); if (() @trusted nothrow { return f.state; } () != Fiber.State.HOLD) f = null; } if (f is null) { // if there is no fiber available, create one. if (s_availableFibers.capacity == 0) s_availableFibers.capacity = 1024; logDebugV("Creating new fiber..."); f = new TaskFiber; } TFI_SETUP(f.m_taskFunc); f.bumpTaskCounter(); auto handle = f.task(); debug if (TaskFiber.ms_taskCreationCallback) { TaskCreationInfo info; info.handle = handle; info.functionPointer = () @trusted { return cast(void*)f.m_taskFunc.functionPointer; } (); () @trusted { TaskFiber.ms_taskCreationCallback(info); } (); } debug if (TaskFiber.ms_taskEventCallback) { () @trusted { TaskFiber.ms_taskEventCallback(TaskEvent.preStart, handle); } (); } switchToTask(handle); debug if (TaskFiber.ms_taskEventCallback) { () @trusted { TaskFiber.ms_taskEventCallback(TaskEvent.postStart, handle); } (); } return handle; } unittest { // ensure task.running is true directly after runTask Task t; bool hit = false; { auto l = yieldLock(); t = runTask({ hit = true; }); assert(!hit); assert(t.running); } t.join(); assert(!t.running); assert(hit); } /** Runs a new asynchronous task in a worker thread. Only function pointers with weakly isolated arguments are allowed to be able to guarantee thread-safety. */ void runWorkerTask(FT, ARGS...)(FT func, auto ref ARGS args) if (isFunctionPointer!FT) { setupWorkerThreads(); st_workerPool.runTask(func, args); } /// ditto void runWorkerTask(alias method, T, ARGS...)(shared(T) object, auto ref ARGS args) if (is(typeof(__traits(getMember, object, __traits(identifier, method))))) { setupWorkerThreads(); st_workerPool.runTask!method(object, args); } /// ditto void runWorkerTask(FT, ARGS...)(TaskSettings settings, FT func, auto ref ARGS args) if (isFunctionPointer!FT) { setupWorkerThreads(); st_workerPool.runTask(settings, func, args); } /// ditto void runWorkerTask(alias method, T, ARGS...)(TaskSettings settings, shared(T) object, auto ref ARGS args) if (is(typeof(__traits(getMember, object, __traits(identifier, method))))) { setupWorkerThreads(); st_workerPool.runTask!method(settings, object, args); } /** Runs a new asynchronous task in a worker thread, returning the task handle. This function will yield and wait for the new task to be created and started in the worker thread, then resume and return it. Only function pointers with weakly isolated arguments are allowed to be able to guarantee thread-safety. */ Task runWorkerTaskH(FT, ARGS...)(FT func, auto ref ARGS args) if (isFunctionPointer!FT) { setupWorkerThreads(); return st_workerPool.runTaskH(func, args); } /// ditto Task runWorkerTaskH(alias method, T, ARGS...)(shared(T) object, auto ref ARGS args) if (is(typeof(__traits(getMember, object, __traits(identifier, method))))) { setupWorkerThreads(); return st_workerPool.runTaskH!method(object, args); } /// ditto Task runWorkerTaskH(FT, ARGS...)(TaskSettings settings, FT func, auto ref ARGS args) if (isFunctionPointer!FT) { setupWorkerThreads(); return st_workerPool.runTaskH(settings, func, args); } /// ditto Task runWorkerTaskH(alias method, T, ARGS...)(TaskSettings settings, shared(T) object, auto ref ARGS args) if (is(typeof(__traits(getMember, object, __traits(identifier, method))))) { setupWorkerThreads(); return st_workerPool.runTaskH!method(settings, object, args); } /// Running a worker task using a function unittest { static void workerFunc(int param) { logInfo("Param: %s", param); } static void test() { runWorkerTask(&workerFunc, 42); runWorkerTask(&workerFunc, cast(ubyte)42); // implicit conversion #719 runWorkerTaskDist(&workerFunc, 42); runWorkerTaskDist(&workerFunc, cast(ubyte)42); // implicit conversion #719 } } /// Running a worker task using a class method unittest { static class Test { void workerMethod(int param) shared { logInfo("Param: %s", param); } } static void test() { auto cls = new shared Test; runWorkerTask!(Test.workerMethod)(cls, 42); runWorkerTask!(Test.workerMethod)(cls, cast(ubyte)42); // #719 runWorkerTaskDist!(Test.workerMethod)(cls, 42); runWorkerTaskDist!(Test.workerMethod)(cls, cast(ubyte)42); // #719 } } /// Running a worker task using a function and communicating with it unittest { static void workerFunc(Task caller) { int counter = 10; while (receiveOnly!string() == "ping" && --counter) { logInfo("pong"); caller.send("pong"); } caller.send("goodbye"); } static void test() { Task callee = runWorkerTaskH(&workerFunc, Task.getThis); do { logInfo("ping"); callee.send("ping"); } while (receiveOnly!string() == "pong"); } static void work719(int) {} static void test719() { runWorkerTaskH(&work719, cast(ubyte)42); } } /// Running a worker task using a class method and communicating with it unittest { static class Test { void workerMethod(Task caller) shared { int counter = 10; while (receiveOnly!string() == "ping" && --counter) { logInfo("pong"); caller.send("pong"); } caller.send("goodbye"); } } static void test() { auto cls = new shared Test; Task callee = runWorkerTaskH!(Test.workerMethod)(cls, Task.getThis()); do { logInfo("ping"); callee.send("ping"); } while (receiveOnly!string() == "pong"); } static class Class719 { void work(int) shared {} } static void test719() { auto cls = new shared Class719; runWorkerTaskH!(Class719.work)(cls, cast(ubyte)42); } } unittest { // run and join local task from outside of a task int i = 0; auto t = runTask({ sleep(1.msecs); i = 1; }); t.join(); assert(i == 1); } unittest { // run and join worker task from outside of a task __gshared int i = 0; auto t = runWorkerTaskH({ sleep(5.msecs); i = 1; }); t.join(); assert(i == 1); } /** Runs a new asynchronous task in all worker threads concurrently. This function is mainly useful for long-living tasks that distribute their work across all CPU cores. Only function pointers with weakly isolated arguments are allowed to be able to guarantee thread-safety. The number of tasks started is guaranteed to be equal to `workerThreadCount`. */ void runWorkerTaskDist(FT, ARGS...)(FT func, auto ref ARGS args) if (is(typeof(*func) == function)) { setupWorkerThreads(); return st_workerPool.runTaskDist(func, args); } /// ditto void runWorkerTaskDist(alias method, T, ARGS...)(shared(T) object, ARGS args) { setupWorkerThreads(); return st_workerPool.runTaskDist!method(object, args); } /// ditto void runWorkerTaskDist(FT, ARGS...)(TaskSettings settings, FT func, auto ref ARGS args) if (is(typeof(*func) == function)) { setupWorkerThreads(); return st_workerPool.runTaskDist(settings, func, args); } /// ditto void runWorkerTaskDist(alias method, T, ARGS...)(TaskSettings settings, shared(T) object, ARGS args) { setupWorkerThreads(); return st_workerPool.runTaskDist!method(settings, object, args); } /** Runs a new asynchronous task in all worker threads and returns the handles. `on_handle` is a callble that takes a `Task` as its only argument and is called for every task instance that gets created. See_also: `runWorkerTaskDist` */ void runWorkerTaskDistH(HCB, FT, ARGS...)(scope HCB on_handle, FT func, auto ref ARGS args) if (is(typeof(*func) == function)) { setupWorkerThreads(); st_workerPool.runTaskDistH(on_handle, func, args); } /// ditto void runWorkerTaskDistH(HCB, FT, ARGS...)(TaskSettings settings, scope HCB on_handle, FT func, auto ref ARGS args) if (is(typeof(*func) == function)) { setupWorkerThreads(); st_workerPool.runTaskDistH(settings, on_handle, func, args); } /** Sets up num worker threads. This function gives explicit control over the number of worker threads. Note, to have an effect the function must be called prior to related worker tasks functions which set up the default number of worker threads implicitly. Params: num = The number of worker threads to initialize. Defaults to `logicalProcessorCount`. See_also: `runWorkerTask`, `runWorkerTaskH`, `runWorkerTaskDist` */ public void setupWorkerThreads(uint num = logicalProcessorCount()) @safe { static bool s_workerThreadsStarted = false; if (s_workerThreadsStarted) return; s_workerThreadsStarted = true; () @trusted { synchronized (st_threadsMutex) { if (!st_workerPool) st_workerPool = new shared TaskPool(num); } } (); } /** Determines the number of logical processors in the system. This number includes virtual cores on hyper-threading enabled CPUs. */ public @property uint logicalProcessorCount() { import std.parallelism : totalCPUs; return totalCPUs; } /** Suspends the execution of the calling task to let other tasks and events be handled. Calling this function in short intervals is recommended if long CPU computations are carried out by a task. It can also be used in conjunction with Signals to implement cross-fiber events with no polling. Throws: May throw an `InterruptException` if `Task.interrupt()` gets called on the calling task. */ void yield() @safe { auto t = Task.getThis(); if (t != Task.init) { auto tf = () @trusted { return t.taskFiber; } (); tf.handleInterrupt(); s_scheduler.yield(); tf.handleInterrupt(); } else { // Let yielded tasks execute assert(TaskFiber.getThis().m_yieldLockCount == 0, "May not yield within an active yieldLock()!"); () @safe nothrow { performIdleProcessingOnce(true); } (); } } unittest { size_t ti; auto t = runTask({ for (ti = 0; ti < 10; ti++) yield(); }); foreach (i; 0 .. 5) yield(); assert(ti > 0 && ti < 10, "Task did not interleave with yield loop outside of task"); t.join(); assert(ti == 10); } /** Suspends the execution of the calling task until `switchToTask` is called manually. This low-level scheduling function is usually only used internally. Failure to call `switchToTask` will result in task starvation and resource leakage. Params: on_interrupt = If specified, is required to See_Also: `switchToTask` */ void hibernate(scope void delegate() @safe nothrow on_interrupt = null) @safe nothrow { auto t = Task.getThis(); if (t == Task.init) { assert(TaskFiber.getThis().m_yieldLockCount == 0, "May not yield within an active yieldLock!"); runEventLoopOnce(); } else { auto tf = () @trusted { return t.taskFiber; } (); tf.handleInterrupt(on_interrupt); s_scheduler.hibernate(); tf.handleInterrupt(on_interrupt); } } /** Switches execution to the given task. This function can be used in conjunction with `hibernate` to wake up a task. The task must live in the same thread as the caller. If no priority is specified, `TaskSwitchPriority.prioritized` or `TaskSwitchPriority.immediate` will be used, depending on whether a yield lock is currently active. Note that it is illegal to use `TaskSwitchPriority.immediate` if a yield lock is active. This function must only be called on tasks that belong to the calling thread and have previously been hibernated! See_Also: `hibernate`, `yieldLock` */ void switchToTask(Task t) @safe nothrow { auto defer = TaskFiber.getThis().m_yieldLockCount > 0; s_scheduler.switchTo(t, defer ? TaskSwitchPriority.prioritized : TaskSwitchPriority.immediate); } /// ditto void switchToTask(Task t, TaskSwitchPriority priority) @safe nothrow { s_scheduler.switchTo(t, priority); } /** Suspends the execution of the calling task for the specified amount of time. Note that other tasks of the same thread will continue to run during the wait time, in contrast to $(D core.thread.Thread.sleep), which shouldn't be used in vibe.d applications. Throws: May throw an `InterruptException` if the task gets interrupted using `Task.interrupt()`. */ void sleep(Duration timeout) @safe { assert(timeout >= 0.seconds, "Argument to sleep must not be negative."); if (timeout <= 0.seconds) return; auto tm = setTimer(timeout, null); tm.wait(); } /// unittest { import vibe.core.core : sleep; import vibe.core.log : logInfo; import core.time : msecs; void test() { logInfo("Sleeping for half a second..."); sleep(500.msecs); logInfo("Done sleeping."); } } /** Returns a new armed timer. Note that timers can only work if an event loop is running, explicitly or implicitly by running a blocking operation, such as `sleep` or `File.read`. Params: timeout = Determines the minimum amount of time that elapses before the timer fires. callback = If non-`null`, this delegate will be called when the timer fires periodic = Speficies if the timer fires repeatedly or only once Returns: Returns a Timer object that can be used to identify and modify the timer. See_also: `createTimer` */ Timer setTimer(Duration timeout, Timer.Callback callback, bool periodic = false) @safe nothrow { auto tm = createTimer(callback); tm.rearm(timeout, periodic); return tm; } /// unittest { void printTime() @safe nothrow { import std.datetime; logInfo("The time is: %s", Clock.currTime()); } void test() { import vibe.core.core; // start a periodic timer that prints the time every second setTimer(1.seconds, toDelegate(&printTime), true); } } /// Compatibility overload - use a `@safe nothrow` callback instead. Timer setTimer(Duration timeout, void delegate() callback, bool periodic = false) @system nothrow { return setTimer(timeout, () @trusted nothrow { try callback(); catch (Exception e) { e.logException!(LogLevel.warn)("Timer callback failed"); } }, periodic); } /** Creates a new timer without arming it. Each time `callback` gets invoked, it will be run inside of a newly started task. Params: callback = If non-`null`, this delegate will be called when the timer fires See_also: `createLeanTimer`, `setTimer` */ Timer createTimer(void delegate() nothrow @safe callback = null) @safe nothrow { static struct C { void delegate() nothrow @safe callback; void opCall() nothrow @safe { runTask(callback); } } if (callback) { C c = {callback}; return createLeanTimer(c); } return createLeanTimer!(Timer.Callback)(null); } /** Creates a new timer with a lean callback mechanism. In contrast to the standard `createTimer`, `callback` will not be called in a new task, but is instead called directly in the context of the event loop. For this reason, the supplied callback is not allowed to perform any operation that needs to block/yield execution. In this case, `runTask` needs to be used explicitly to perform the operation asynchronously. Additionally, `callback` can carry arbitrary state without requiring a heap allocation. See_also: `createTimer` */ Timer createLeanTimer(CALLABLE)(CALLABLE callback) if (is(typeof(() @safe nothrow { callback(); } ()))) { return Timer.create(eventDriver.timers.create(), callback); } /** Creates an event to wait on an existing file descriptor. The file descriptor usually needs to be a non-blocking socket for this to work. Params: file_descriptor = The Posix file descriptor to watch event_mask = Specifies which events will be listened for Returns: Returns a newly created FileDescriptorEvent associated with the given file descriptor. */ FileDescriptorEvent createFileDescriptorEvent(int file_descriptor, FileDescriptorEvent.Trigger event_mask) @safe nothrow { return FileDescriptorEvent(file_descriptor, event_mask); } /** Sets the stack size to use for tasks. The default stack size is set to 512 KiB on 32-bit systems and to 16 MiB on 64-bit systems, which is sufficient for most tasks. Tuning this value can be used to reduce memory usage for large numbers of concurrent tasks or to avoid stack overflows for applications with heavy stack use. Note that this function must be called at initialization time, before any task is started to have an effect. Also note that the stack will initially not consume actual physical memory - it just reserves virtual address space. Only once the stack gets actually filled up with data will physical memory then be reserved page by page. This means that the stack can safely be set to large sizes on 64-bit systems without having to worry about memory usage. */ void setTaskStackSize(size_t sz) nothrow { TaskFiber.ms_taskStackSize = sz; } /** The number of worker threads used for processing worker tasks. Note that this function will cause the worker threads to be started, if they haven't already. See_also: `runWorkerTask`, `runWorkerTaskH`, `runWorkerTaskDist`, `setupWorkerThreads` */ @property size_t workerThreadCount() out(count) { assert(count > 0, "No worker threads started after setupWorkerThreads!?"); } do { setupWorkerThreads(); synchronized (st_threadsMutex) return st_workerPool.threadCount; } /** Disables the signal handlers usually set up by vibe.d. During the first call to `runEventLoop`, vibe.d usually sets up a set of event handlers for SIGINT, SIGTERM and SIGPIPE. Since in some situations this can be undesirable, this function can be called before the first invocation of the event loop to avoid this. Calling this function after `runEventLoop` will have no effect. */ void disableDefaultSignalHandlers() { synchronized (st_threadsMutex) s_disableSignalHandlers = true; } /** Sets the effective user and group ID to the ones configured for privilege lowering. This function is useful for services run as root to give up on the privileges that they only need for initialization (such as listening on ports <= 1024 or opening system log files). */ void lowerPrivileges(string uname, string gname) @safe { if (!isRoot()) return; if (uname != "" || gname != "") { static bool tryParse(T)(string s, out T n) { import std.conv, std.ascii; if (!isDigit(s[0])) return false; n = parse!T(s); return s.length==0; } int uid = -1, gid = -1; if (uname != "" && !tryParse(uname, uid)) uid = getUID(uname); if (gname != "" && !tryParse(gname, gid)) gid = getGID(gname); setUID(uid, gid); } else logWarn("Vibe was run as root, and no user/group has been specified for privilege lowering. Running with full permissions."); } // ditto void lowerPrivileges() @safe { lowerPrivileges(s_privilegeLoweringUserName, s_privilegeLoweringGroupName); } /** Sets a callback that is invoked whenever a task changes its status. This function is useful mostly for implementing debuggers that analyze the life time of tasks, including task switches. Note that the callback will only be called for debug builds. */ void setTaskEventCallback(TaskEventCallback func) { debug TaskFiber.ms_taskEventCallback = func; } /** Sets a callback that is invoked whenever new task is created. The callback is guaranteed to be invoked before the one set by `setTaskEventCallback` for the same task handle. This function is useful mostly for implementing debuggers that analyze the life time of tasks, including task switches. Note that the callback will only be called for debug builds. */ void setTaskCreationCallback(TaskCreationCallback func) { debug TaskFiber.ms_taskCreationCallback = func; } /** A version string representing the current vibe.d core version */ enum vibeVersionString = "1.10.1"; /** Generic file descriptor event. This kind of event can be used to wait for events on a non-blocking file descriptor. Note that this can usually only be used on socket based file descriptors. */ struct FileDescriptorEvent { /** Event mask selecting the kind of events to listen for. */ enum Trigger { none = 0, /// Match no event (invalid value) read = 1<<0, /// React on read-ready events write = 1<<1, /// React on write-ready events any = read|write /// Match any kind of event } private { static struct Context { Trigger trigger; shared(NativeEventDriver) driver; } StreamSocketFD m_socket; Context* m_context; } @safe: private this(int fd, Trigger event_mask) nothrow { m_socket = eventDriver.sockets.adoptStream(fd); m_context = () @trusted { return &eventDriver.sockets.userData!Context(m_socket); } (); m_context.trigger = event_mask; m_context.driver = () @trusted { return cast(shared)eventDriver; } (); } this(this) nothrow { if (m_socket != StreamSocketFD.invalid) eventDriver.sockets.addRef(m_socket); } ~this() nothrow { if (m_socket != StreamSocketFD.invalid) releaseHandle!"sockets"(m_socket, m_context.driver); } /** Waits for the selected event to occur. Params: which = Optional event mask to react only on certain events timeout = Maximum time to wait for an event Returns: The overload taking the timeout parameter returns true if an event was received on time and false otherwise. */ void wait(Trigger which = Trigger.any) { wait(Duration.max, which); } /// ditto bool wait(Duration timeout, Trigger which = Trigger.any) { if ((which & m_context.trigger) == Trigger.none) return true; assert((which & m_context.trigger) == Trigger.read, "Waiting for write event not yet supported."); bool got_data; alias readwaiter = Waitable!(IOCallback, cb => eventDriver.sockets.waitForData(m_socket, cb), cb => eventDriver.sockets.cancelRead(m_socket), (fd, st, nb) { got_data = st == IOStatus.ok; } ); asyncAwaitAny!(true, readwaiter)(timeout); return got_data; } } /** Represents a timer. */ struct Timer { private { NativeEventDriver m_driver; TimerID m_id; debug uint m_magicNumber = 0x4d34f916; } alias Callback = void delegate() @safe nothrow; @safe: private static Timer create(CALLABLE)(TimerID id, CALLABLE callback) nothrow { assert(id != TimerID.init, "Invalid timer ID."); Timer ret; ret.m_driver = eventDriver; ret.m_id = id; static if (is(typeof(!callback))) if (!callback) return ret; ret.m_driver.timers.userData!CALLABLE(id) = callback; ret.m_driver.timers.wait(id, &TimerCallbackHandler!CALLABLE.instance.handle); return ret; } this(this) nothrow { debug assert(m_magicNumber == 0x4d34f916, "Timer corrupted."); if (m_driver) m_driver.timers.addRef(m_id); } ~this() nothrow { debug assert(m_magicNumber == 0x4d34f916, "Timer corrupted."); if (m_driver) releaseHandle!"timers"(m_id, () @trusted { return cast(shared)m_driver; } ()); } /// True if the timer is yet to fire. @property bool pending() nothrow { return m_driver.timers.isPending(m_id); } /// The internal ID of the timer. @property size_t id() const nothrow { return m_id; } bool opCast() const nothrow { return m_driver !is null; } /// Determines if this reference is the only one @property bool unique() const nothrow { return m_driver ? m_driver.timers.isUnique(m_id) : false; } /** Resets the timer to the specified timeout */ void rearm(Duration dur, bool periodic = false) nothrow in { assert(dur >= 0.seconds, "Negative timer duration specified."); } do { m_driver.timers.set(m_id, dur, periodic ? dur : 0.seconds); } /** Resets the timer and avoids any firing. */ void stop() nothrow { if (m_driver) m_driver.timers.stop(m_id); } /** Waits until the timer fires. This method may only be used if no timer callback has been specified. Returns: `true` is returned $(I iff) the timer was fired. */ bool wait() { auto cb = m_driver.timers.userData!Callback(m_id); assert(cb is null, "Cannot wait on a timer that was created with a callback."); auto res = asyncAwait!(TimerCallback2, cb => m_driver.timers.wait(m_id, cb), cb => m_driver.timers.cancelWait(m_id) ); return res[1]; } } private struct TimerCallbackHandler(CALLABLE) { static __gshared TimerCallbackHandler ms_instance; static @property ref TimerCallbackHandler instance() @trusted nothrow { return ms_instance; } void handle(TimerID timer, bool fired) @safe nothrow { if (fired) { auto cb = eventDriver.timers.userData!CALLABLE(timer); auto l = yieldLock(); cb(); } if (!eventDriver.timers.isUnique(timer) || eventDriver.timers.isPending(timer)) eventDriver.timers.wait(timer, &handle); } } /** Returns an object that ensures that no task switches happen during its life time. Any attempt to run the event loop or switching to another task will cause an assertion to be thrown within the scope that defines the lifetime of the returned object. Multiple yield locks can appear in nested scopes. */ auto yieldLock() @safe nothrow { static struct YieldLock { @safe nothrow: private bool m_initialized; private this(bool) { m_initialized = true; inc(); } @disable this(this); ~this() { if (m_initialized) dec(); } private void inc() { TaskFiber.getThis().m_yieldLockCount++; } private void dec() { assert(TaskFiber.getThis().m_yieldLockCount > 0); TaskFiber.getThis().m_yieldLockCount--; } } return YieldLock(true); } unittest { auto tf = TaskFiber.getThis(); assert(tf.m_yieldLockCount == 0); { auto lock = yieldLock(); assert(tf.m_yieldLockCount == 1); { auto lock2 = yieldLock(); assert(tf.m_yieldLockCount == 2); } assert(tf.m_yieldLockCount == 1); } assert(tf.m_yieldLockCount == 0); { typeof(yieldLock()) l; assert(tf.m_yieldLockCount == 0); } assert(tf.m_yieldLockCount == 0); } /**************************************************************************************************/ /* private types */ /**************************************************************************************************/ private void setupGcTimer() { s_gcTimer = createTimer(() @trusted { import core.memory; logTrace("gc idle collect"); GC.collect(); GC.minimize(); s_ignoreIdleForGC = true; }); s_gcCollectTimeout = dur!"seconds"(2); } package(vibe) void performIdleProcessing(bool force_process_events = false) @safe nothrow { bool again = !getExitFlag(); while (again) { again = performIdleProcessingOnce(force_process_events); force_process_events = true; } if (s_scheduler.scheduledTaskCount) logDebug("Exiting from idle processing although there are still yielded tasks"); if (s_exitEventLoop) return; if (!s_ignoreIdleForGC && s_gcTimer) { s_gcTimer.rearm(s_gcCollectTimeout); } else s_ignoreIdleForGC = false; } private bool performIdleProcessingOnce(bool process_events) @safe nothrow { if (process_events) { auto er = eventDriver.core.processEvents(0.seconds); if (er.among!(ExitReason.exited, ExitReason.outOfWaiters) && s_scheduler.scheduledTaskCount == 0) { if (s_eventLoopRunning) { logDebug("Setting exit flag due to driver signalling exit: %s", er); s_exitEventLoop = true; } return false; } } bool again; if (s_idleHandler) again = s_idleHandler(); return (s_scheduler.schedule() == ScheduleStatus.busy || again) && !getExitFlag(); } private struct ThreadContext { Thread thread; } /**************************************************************************************************/ /* private functions */ /**************************************************************************************************/ private { Duration s_gcCollectTimeout; Timer s_gcTimer; bool s_ignoreIdleForGC = false; __gshared core.sync.mutex.Mutex st_threadsMutex; shared TaskPool st_workerPool; shared ManualEvent st_threadsSignal; __gshared ThreadContext[] st_threads; __gshared Condition st_threadShutdownCondition; shared bool st_term = false; bool s_isMainThread = false; // set in shared static this bool s_exitEventLoop = false; package bool s_eventLoopRunning = false; bool delegate() @safe nothrow s_idleHandler; TaskScheduler s_scheduler; FixedRingBuffer!TaskFiber s_availableFibers; size_t s_maxRecycledFibers = 100; string s_privilegeLoweringUserName; string s_privilegeLoweringGroupName; __gshared bool s_disableSignalHandlers = false; } private bool getExitFlag() @trusted nothrow { return s_exitEventLoop || atomicLoad(st_term); } package @property bool isEventLoopRunning() @safe nothrow @nogc { return s_eventLoopRunning; } package @property ref TaskScheduler taskScheduler() @safe nothrow @nogc { return s_scheduler; } package void recycleFiber(TaskFiber fiber) @safe nothrow { if (s_availableFibers.length >= s_maxRecycledFibers) { auto fl = s_availableFibers.front; s_availableFibers.popFront(); fl.shutdown(); () @trusted { try destroy(fl); catch (Exception e) logWarn("Failed to destroy fiber: %s", e.msg); } (); } if (s_availableFibers.full) s_availableFibers.capacity = 2 * s_availableFibers.capacity; s_availableFibers.put(fiber); } private void setupSignalHandlers() @trusted nothrow { scope (failure) assert(false); // _d_monitorexit is not nothrow __gshared bool s_setup = false; // only initialize in main thread synchronized (st_threadsMutex) { if (s_setup) return; s_setup = true; if (s_disableSignalHandlers) return; logTrace("setup signal handler"); version(Posix){ // support proper shutdown using signals sigset_t sigset; sigemptyset(&sigset); sigaction_t siginfo; siginfo.sa_handler = &onSignal; siginfo.sa_mask = sigset; siginfo.sa_flags = SA_RESTART; sigaction(SIGINT, &siginfo, null); sigaction(SIGTERM, &siginfo, null); siginfo.sa_handler = &onBrokenPipe; sigaction(SIGPIPE, &siginfo, null); } version(Windows){ // WORKAROUND: we don't care about viral @nogc attribute here! import std.traits; signal(SIGTERM, cast(ParameterTypeTuple!signal[1])&onSignal); signal(SIGINT, cast(ParameterTypeTuple!signal[1])&onSignal); } } } // per process setup shared static this() { s_isMainThread = true; // COMPILER BUG: Must be some kind of module constructor order issue: // without this, the stdout/stderr handles are not initialized before // the log module is set up. import std.stdio; File f; f.close(); initializeLogModule(); logTrace("create driver core"); st_threadsMutex = new Mutex; st_threadShutdownCondition = new Condition(st_threadsMutex); auto thisthr = Thread.getThis(); thisthr.name = "main"; assert(st_threads.length == 0, "Main thread not the first thread!?"); st_threads ~= ThreadContext(thisthr); st_threadsSignal = createSharedManualEvent(); version(VibeIdleCollect) { logTrace("setup gc"); setupGcTimer(); } version (VibeNoDefaultArgs) {} else { readOption("uid|user", &s_privilegeLoweringUserName, "Sets the user name or id used for privilege lowering."); readOption("gid|group", &s_privilegeLoweringGroupName, "Sets the group name or id used for privilege lowering."); } import std.concurrency; scheduler = new VibedScheduler; } shared static ~this() { shutdownDriver(); size_t tasks_left = s_scheduler.scheduledTaskCount; if (tasks_left > 0) logWarn("There were still %d tasks running at exit.", tasks_left); } // per thread setup static this() { /// workaround for: // object.Exception@src/rt/minfo.d(162): Aborting: Cycle detected between modules with ctors/dtors: // vibe.core.core -> vibe.core.drivers.native -> vibe.core.drivers.libasync -> vibe.core.core if (Thread.getThis().isDaemon && Thread.getThis().name == "CmdProcessor") return; auto thisthr = Thread.getThis(); synchronized (st_threadsMutex) if (!st_threads.any!(c => c.thread is thisthr)) st_threads ~= ThreadContext(thisthr); } static ~this() { auto thisthr = Thread.getThis(); bool is_main_thread = s_isMainThread; synchronized (st_threadsMutex) { auto idx = st_threads.countUntil!(c => c.thread is thisthr); logDebug("Thread exit %s (index %s) (main=%s)", thisthr.name, idx, is_main_thread); } if (is_main_thread) { logDiagnostic("Main thread exiting"); shutdownWorkerPool(); } synchronized (st_threadsMutex) { auto idx = st_threads.countUntil!(c => c.thread is thisthr); assert(idx >= 0, "No more threads registered"); if (idx >= 0) { st_threads[idx] = st_threads[$-1]; st_threads.length--; } } // delay deletion of the main event driver to "~shared static this()" if (!is_main_thread) shutdownDriver(); st_threadShutdownCondition.notifyAll(); } private void shutdownWorkerPool() nothrow { shared(TaskPool) tpool; try synchronized (st_threadsMutex) swap(tpool, st_workerPool); catch (Exception e) assert(false, e.msg); if (tpool) { logDiagnostic("Still waiting for worker threads to exit."); tpool.terminate(); } } private void shutdownDriver() { if (ManualEvent.ms_threadEvent != EventID.init) { eventDriver.events.releaseRef(ManualEvent.ms_threadEvent); ManualEvent.ms_threadEvent = EventID.init; } eventDriver.dispose(); } private void watchExitFlag() { auto emit_count = st_threadsSignal.emitCount; while (true) { synchronized (st_threadsMutex) { if (getExitFlag()) break; } try emit_count = st_threadsSignal.wait(emit_count); catch (InterruptException e) return; } logDebug("main thread exit"); eventDriver.core.exit(); } private extern(C) void extrap() @safe nothrow { logTrace("exception trap"); } private extern(C) void onSignal(int signal) nothrow { logInfo("Received signal %d. Shutting down.", signal); atomicStore(st_term, true); try st_threadsSignal.emit(); catch (Throwable th) { logDebug("Failed to notify for event loop exit: %s", th.msg); } } private extern(C) void onBrokenPipe(int signal) nothrow { logTrace("Broken pipe."); } version(Posix) { private bool isRoot() @trusted { return geteuid() == 0; } private void setUID(int uid, int gid) @trusted { logInfo("Lowering privileges to uid=%d, gid=%d...", uid, gid); if (gid >= 0) { enforce(getgrgid(gid) !is null, "Invalid group id!"); enforce(setegid(gid) == 0, "Error setting group id!"); } //if( initgroups(const char *user, gid_t group); if (uid >= 0) { enforce(getpwuid(uid) !is null, "Invalid user id!"); enforce(seteuid(uid) == 0, "Error setting user id!"); } } private int getUID(string name) @trusted { auto pw = getpwnam(name.toStringz()); enforce(pw !is null, "Unknown user name: "~name); return pw.pw_uid; } private int getGID(string name) @trusted { auto gr = getgrnam(name.toStringz()); enforce(gr !is null, "Unknown group name: "~name); return gr.gr_gid; } } else version(Windows){ private bool isRoot() @safe { return false; } private void setUID(int uid, int gid) @safe { enforce(false, "UID/GID not supported on Windows."); } private int getUID(string name) @safe { enforce(false, "Privilege lowering not supported on Windows."); assert(false); } private int getGID(string name) @safe { enforce(false, "Privilege lowering not supported on Windows."); assert(false); } }
D
/******************************************************************************* Classes for reading and writing dht node channel dump files. copyright: Copyright (c) 2014-2017 sociomantic labs GmbH. All rights reserved License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dhtnode.storage.DumpFile; /******************************************************************************* Imports *******************************************************************************/ import ocean.transition; import dhtnode.storage.DirectIO; import ocean.io.FilePath; import ocean.io.serialize.SimpleStreamSerializer; import ocean.io.model.IConduit : InputStream; import ocean.io.device.File; import ocean.util.log.Log; import Integer = ocean.text.convert.Integer_tango; /******************************************************************************* Static module logger *******************************************************************************/ private Logger log; static this ( ) { log = Log.lookup("dhtnode.storage.DumpFile"); } /******************************************************************************* Dump file format version number. *******************************************************************************/ public const ulong FileFormatVersion = 0; /******************************************************************************* File suffix constants *******************************************************************************/ public const DumpFileSuffix = ".tcm"; public const NewFileSuffix = ".dumping"; /******************************************************************************* Direct I/O files buffer size. See BufferedDirectWriteFile for details on why we use 32MiB. *******************************************************************************/ public const IOBufferSize = 32 * 1024 * 1024; /******************************************************************************* Formats the file name for a channel into a provided FilePath. The name is built using the specified root directory, the name of the channel and the standard file type suffix. Params: root = FilePath object denoting the root dump files directory path = FilePath object to set with the new file path channel = name of the channel to build the file path for Returns: The "path" object passed as parameter and properly reset. *******************************************************************************/ public FilePath buildFilePath ( FilePath root, FilePath path, cstring channel ) { path.set(root); path.append(channel); path.cat(DumpFileSuffix); return path; } /******************************************************************************* Atomically replace the existing dump with the new one. Params: dumped_path = path of the file to which the dump was written (dump.new) channel = name of dump file (without suffix) root = path of dump files' directory path = FilePath object used for file swapping swap_path = FilePath object used for file swapping *******************************************************************************/ public void rotateDumpFile ( cstring dumped_path, cstring channel, FilePath root, FilePath path, FilePath swap_path ) { path.set(dumped_path); // dump.new buildFilePath(root, swap_path, channel); // dump path.rename(swap_path); } /******************************************************************************* Dump file writer. *******************************************************************************/ public class ChannelDumper { /*************************************************************************** Output buffered direct I/O file, used to dump the channels. ***************************************************************************/ private BufferedDirectWriteTempFile output; /*************************************************************************** Constructor. Params: buffer = buffer used by internal direct I/O writer suffix = suffix to use for temporary files used while dumping disable_direct_io = determines if regular buffered I/O (true) or direct I/O is used (false). Regular I/O is only useful for testing, because direct I/O imposes some restrictions over the type of filesystem that can be used. ***************************************************************************/ public this ( ubyte[] buffer, cstring suffix, bool disable_direct_io ) { this.output = new BufferedDirectWriteTempFile(null, buffer, suffix, disable_direct_io); } /*************************************************************************** Opens the dump file for writing and writes the file format version number at the beginning. Params: path = path to open ***************************************************************************/ public void open ( cstring path ) { this.output.open(path); SimpleStreamSerializer.write(this.output, FileFormatVersion); } /*************************************************************************** Returns: the path of the open file ***************************************************************************/ public cstring path ( ) { return this.output.path(); } /*************************************************************************** Writes a record key/value to the file. Params: key = record key value = record value ***************************************************************************/ public void write ( cstring key, cstring value ) { SimpleStreamSerializer.write(this.output, key); SimpleStreamSerializer.write(this.output, value); } /*************************************************************************** Closes the dump file, writing the requisite end-of-file marker (an empty string) at the end. ***************************************************************************/ public void close ( ) { const istring end_of_file = ""; SimpleStreamSerializer.write(this.output, end_of_file); this.output.close(); } } /******************************************************************************* Dump file reader base class. (Works with an abstract InputStream, rather than a file, in order to allow unittests to use this class with other forms of stream, avoiding disk access.) *******************************************************************************/ abstract public class ChannelLoaderBase { /*************************************************************************** Base class encapsulating the file-format-neutral process of reading records from the file. ***************************************************************************/ private abstract class FormatReaderBase { /*********************************************************************** foreach iterator over key/value pairs in the file. Reads until the caller aborts the iteration or getRecord() returns false. ***********************************************************************/ public int opApply ( int delegate ( ref mstring key, ref mstring value ) dg ) { int res; do { if ( !this.getRecord(this.outer.load_key, this.outer.load_value) ) break; res = dg(this.outer.load_key, this.outer.load_value); if ( res ) break; } while ( true ); return res; } /*********************************************************************** Reads the next record, if one exists. Params: key = buffer to receive key of next record, if one exists value = buffer to receive value of next record, if one exists Returns: true if another record exists and has been read, false if there are no more ***********************************************************************/ abstract protected bool getRecord ( ref mstring key, ref mstring value ); } /*************************************************************************** File format version 0 reader. ***************************************************************************/ private class FormatReader_v0 : FormatReaderBase { /*********************************************************************** Reads the next record, if one exists. The end of the file is marked by a key of length 0. Params: key = buffer to receive key of next record, if one exists value = buffer to receive value of next record, if one exists Returns: true if another record exists and has been read, false if there are no more ***********************************************************************/ override public bool getRecord ( ref mstring key, ref mstring value ) { SimpleStreamSerializer.read(this.outer.input, key); if ( key.length == 0 ) return false; SimpleStreamSerializer.read(this.outer.input, value); return true; } } /*************************************************************************** Minimum and maximum supported file format version numbers ***************************************************************************/ private const ulong min_supported_version = 0; private const ulong max_supported_version = 0; static assert(min_supported_version <= max_supported_version); /*************************************************************************** Input stream, used to load the channel dumps. ***************************************************************************/ protected InputStream input; /*************************************************************************** Key and value read buffers. ***************************************************************************/ private mstring load_key, load_value; /*************************************************************************** File format version read from beginning of file. Stored so that it can be quired by the user (see file_format_version(), below). ***************************************************************************/ private ulong file_format_version_; /*************************************************************************** Constructor. Params: input = input stream to load channel data from ***************************************************************************/ public this ( InputStream input ) { this.input = input; } /*************************************************************************** Opens the dump file for reading and reads the file format version number at the beginning. NOTE: in the old file format, the first 8 bytes actually store the number of records contained in the file. Params: path = path to open ***************************************************************************/ public void open ( ) { SimpleStreamSerializer.read(this.input, this.file_format_version_); } /*************************************************************************** Returns: the file format version number read when the file was opened ***************************************************************************/ public ulong file_format_version ( ) { return this.file_format_version_; } /*************************************************************************** Returns: whether the file format version is supported ***************************************************************************/ public bool supported_file_format_version ( ) { return this.file_format_version_ >= this.min_supported_version && this.file_format_version_ <= this.max_supported_version; } /*************************************************************************** Returns: the number of bytes contained in the file, excluding the 8 byte file format version number ***************************************************************************/ final public ulong length ( ) { return this.length_() - this.file_format_version_.sizeof; } /*************************************************************************** Returns: the number of bytes contained in the file ***************************************************************************/ abstract protected ulong length_ ( ); /*************************************************************************** foreach iterator over key/value pairs in the file. The actual reading logic depends on the file format version number. See FormatReaderBase and derived classes, above. Throws: if the file format version number is unsupported ***************************************************************************/ public int opApply ( int delegate ( ref mstring key, ref mstring value ) dg ) { // Function which instantiates a reader for the appropriate file format // version and passes it to the provided delegate. This pattern is used // so that the reader can be newed at scope (on the stack). void read ( void delegate ( FormatReaderBase ) use_reader ) { if ( !this.supported_file_format_version ) { throw new Exception( cast(istring)("Unsupported dump file format: " ~ Integer.toString(this.file_format_version_)) ); } switch ( this.file_format_version_ ) { case 0: scope v0_reader = new FormatReader_v0; use_reader(v0_reader); break; default: assert(false); } } int res; read((FormatReaderBase reader){ res = reader.opApply(dg); }); return res; } /*************************************************************************** Closes the dump file. ***************************************************************************/ public void close ( ) { this.input.close(); } } /******************************************************************************* Input buffered direct I/O file dump file reader class. *******************************************************************************/ public class ChannelLoader : ChannelLoaderBase { /*************************************************************************** Constructor. Params: buffer = buffer used by internal direct I/O reader disable_direct_io = determines if regular buffered I/O (false) or direct I/O is used (true). Regular I/O is only useful for testing, because direct I/O imposes some restrictions over the type of filesystem that can be used. ***************************************************************************/ public this ( ubyte[] buffer, bool disable_direct_io ) { super(new BufferedDirectReadFile(null, buffer, disable_direct_io)); } /*************************************************************************** Opens the dump file for reading and reads the file format version number at the beginning. NOTE: in the old file format, the first 8 bytes actually store the number of records contained in the file. Params: path = path to open ***************************************************************************/ public void open ( cstring path ) { (cast(BufferedDirectReadFile)this.input).open(path); super.open(); } /*************************************************************************** Returns: the number of bytes contained in the file ***************************************************************************/ override protected ulong length_ ( ) { return (cast(File)this.input.conduit).length; } }
D
module game.core.components.stamina; import game.core.base.component; class CStaminaComponent : CComponent { mixin( TRegisterClass!CStaminaComponent ); public: Signal!( uint ) currentUpdated; public: bool bRegenerate = true; float regenerateStepTime = 0.1f; uint regeneratePerStep = 1; protected: int lcurrent = 12; int lmax = 12; float lregenerateStepTimeCurrent = 0.0f; public: this() { lregenerateStepTimeCurrent = regenerateStepTime; } override void _tick( float delta ) { if ( lcurrent == lmax || !bRegenerate ) { lregenerateStepTimeCurrent = regenerateStepTime; } lregenerateStepTimeCurrent -= delta; if ( lregenerateStepTimeCurrent <= 0.0f && lcurrent < lmax ) { lregenerateStepTimeCurrent = regenerateStepTime; lcurrent = Math.min( lmax, lcurrent + regeneratePerStep ); currentUpdated.emit( lcurrent ); } } bool isCanMin( int val ) { return lcurrent - val >= 0; } bool min( int val, bool bAllowLowerThanNull = true ) { if ( !isCanMin( val ) && !bAllowLowerThanNull ) return false; lcurrent = Math.max( lcurrent - val, 0 ); currentUpdated.emit( lcurrent ); lregenerateStepTimeCurrent = 1.5f; return true; } float percent() { return lcurrent / cast( float )lmax * 100.0f; } public: @property { int current() { return lcurrent; } int max() { return lmax; } void current( int val ) { assert( false ); } void max( int imax ) { assert( imax > 0 ); lmax = imax; if ( lcurrent > lmax ) { lcurrent = lmax; } } } }
D
/** * Most of the logic to implement scoped pointers and scoped references is here. * * Copyright: Copyright (C) 1999-2021 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/escape.d, _escape.d) * Documentation: https://dlang.org/phobos/dmd_escape.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/escape.d */ module dmd.escape; import core.stdc.stdio : printf; import core.stdc.stdlib; import core.stdc.string; import dmd.root.rmem; import dmd.aggregate; import dmd.declaration; import dmd.dscope; import dmd.dsymbol; import dmd.errors; import dmd.expression; import dmd.func; import dmd.globals; import dmd.id; import dmd.identifier; import dmd.init; import dmd.mtype; import dmd.printast; import dmd.root.rootobject; import dmd.tokens; import dmd.visitor; import dmd.arraytypes; /****************************************************** * Checks memory objects passed to a function. * Checks that if a memory object is passed by ref or by pointer, * all of the refs or pointers are const, or there is only one mutable * ref or pointer to it. * References: * DIP 1021 * Params: * sc = used to determine current function and module * fd = function being called * tf = fd's type * ethis = if not null, the `this` pointer * arguments = actual arguments to function * gag = do not print error messages * Returns: * `true` if error */ bool checkMutableArguments(Scope* sc, FuncDeclaration fd, TypeFunction tf, Expression ethis, Expressions* arguments, bool gag) { enum log = false; if (log) printf("[%s] checkMutableArguments, fd: `%s`\n", fd.loc.toChars(), fd.toChars()); if (log && ethis) printf("ethis: `%s`\n", ethis.toChars()); bool errors = false; /* Outer variable references are treated as if they are extra arguments * passed by ref to the function (which they essentially are via the static link). */ VarDeclaration[] outerVars = fd ? fd.outerVars[] : null; const len = arguments.length + (ethis !is null) + outerVars.length; if (len <= 1) return errors; struct EscapeBy { EscapeByResults er; Parameter param; // null if no Parameter for this argument bool isMutable; // true if reference to mutable } /* Store escapeBy as static data escapeByStorage so we can keep reusing the same * arrays rather than reallocating them. */ __gshared EscapeBy[] escapeByStorage; auto escapeBy = escapeByStorage; if (escapeBy.length < len) { auto newPtr = cast(EscapeBy*)mem.xrealloc(escapeBy.ptr, len * EscapeBy.sizeof); // Clear the new section memset(newPtr + escapeBy.length, 0, (len - escapeBy.length) * EscapeBy.sizeof); escapeBy = newPtr[0 .. len]; escapeByStorage = escapeBy; } else escapeBy = escapeBy[0 .. len]; const paramLength = tf.parameterList.length; // Fill in escapeBy[] with arguments[], ethis, and outerVars[] foreach (const i, ref eb; escapeBy) { bool refs; Expression arg; if (i < arguments.length) { arg = (*arguments)[i]; if (i < paramLength) { eb.param = tf.parameterList[i]; refs = eb.param.isReference(); eb.isMutable = eb.param.isReferenceToMutable(arg.type); } else { eb.param = null; refs = false; eb.isMutable = arg.type.isReferenceToMutable(); } } else if (ethis) { /* ethis is passed by value if a class reference, * by ref if a struct value */ eb.param = null; arg = ethis; auto ad = fd.isThis(); assert(ad); assert(ethis); if (ad.isClassDeclaration()) { refs = false; eb.isMutable = arg.type.isReferenceToMutable(); } else { assert(ad.isStructDeclaration()); refs = true; eb.isMutable = arg.type.isMutable(); } } else { // outer variables are passed by ref eb.param = null; refs = true; auto var = outerVars[i - (len - outerVars.length)]; eb.isMutable = var.type.isMutable(); eb.er.byref.push(var); continue; } if (refs) escapeByRef(arg, &eb.er); else escapeByValue(arg, &eb.er); } void checkOnePair(size_t i, ref EscapeBy eb, ref EscapeBy eb2, VarDeclaration v, VarDeclaration v2, bool of) { if (log) printf("v2: `%s`\n", v2.toChars()); if (v2 != v) return; //printf("v %d v2 %d\n", eb.isMutable, eb2.isMutable); if (!(eb.isMutable || eb2.isMutable)) return; if (!(global.params.vsafe && sc.func.setUnsafe())) return; if (!gag) { // int i; funcThatEscapes(ref int i); // funcThatEscapes(i); // error escaping reference _to_ `i` // int* j; funcThatEscapes2(int* j); // funcThatEscapes2(j); // error escaping reference _of_ `i` const(char)* referenceVerb = of ? "of" : "to"; const(char)* msg = eb.isMutable && eb2.isMutable ? "more than one mutable reference %s `%s` in arguments to `%s()`" : "mutable and const references %s `%s` in arguments to `%s()`"; error((*arguments)[i].loc, msg, referenceVerb, v.toChars(), fd ? fd.toPrettyChars() : "indirectly"); } errors = true; } void escape(size_t i, ref EscapeBy eb, bool byval) { foreach (VarDeclaration v; byval ? eb.er.byvalue : eb.er.byref) { if (log) { const(char)* by = byval ? "byval" : "byref"; printf("%s %s\n", by, v.toChars()); } if (byval && !v.type.hasPointers()) continue; foreach (ref eb2; escapeBy[i + 1 .. $]) { foreach (VarDeclaration v2; byval ? eb2.er.byvalue : eb2.er.byref) { checkOnePair(i, eb, eb2, v, v2, byval); } } } } foreach (const i, ref eb; escapeBy[0 .. $ - 1]) { escape(i, eb, true); escape(i, eb, false); } /* Reset the arrays in escapeBy[] so we can reuse them next time through */ foreach (ref eb; escapeBy) { eb.er.reset(); } return errors; } /****************************************** * Array literal is going to be allocated on the GC heap. * Check its elements to see if any would escape by going on the heap. * Params: * sc = used to determine current function and module * ae = array literal expression * gag = do not print error messages * Returns: * `true` if any elements escaped */ bool checkArrayLiteralEscape(Scope *sc, ArrayLiteralExp ae, bool gag) { bool errors; if (ae.basis) errors = checkNewEscape(sc, ae.basis, gag); foreach (ex; *ae.elements) { if (ex) errors |= checkNewEscape(sc, ex, gag); } return errors; } /****************************************** * Associative array literal is going to be allocated on the GC heap. * Check its elements to see if any would escape by going on the heap. * Params: * sc = used to determine current function and module * ae = associative array literal expression * gag = do not print error messages * Returns: * `true` if any elements escaped */ bool checkAssocArrayLiteralEscape(Scope *sc, AssocArrayLiteralExp ae, bool gag) { bool errors; foreach (ex; *ae.keys) { if (ex) errors |= checkNewEscape(sc, ex, gag); } foreach (ex; *ae.values) { if (ex) errors |= checkNewEscape(sc, ex, gag); } return errors; } /**************************************** * Function parameter `par` is being initialized to `arg`, * and `par` may escape. * Detect if scoped values can escape this way. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * fdc = function being called, `null` if called indirectly * par = function parameter (`this` if null) * arg = initializer for param * assertmsg = true if the parameter is the msg argument to assert(bool, msg). * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape via assignment */ bool checkParamArgumentEscape(Scope* sc, FuncDeclaration fdc, Parameter par, Expression arg, bool assertmsg, bool gag) { enum log = false; if (log) printf("checkParamArgumentEscape(arg: %s par: %s)\n", arg ? arg.toChars() : "null", par ? par.toChars() : "this"); //printf("type = %s, %d\n", arg.type.toChars(), arg.type.hasPointers()); if (!arg.type.hasPointers()) return false; EscapeByResults er; escapeByValue(arg, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byfunc.dim && !er.byexp.dim) return false; bool result = false; /* 'v' is assigned unsafely to 'par' */ void unsafeAssign(VarDeclaration v, const char* desc) { if (global.params.vsafe && sc.func.setUnsafe()) { if (!gag) { if (assertmsg) { error(arg.loc, "%s `%s` assigned to non-scope parameter calling `assert()`", desc, v.toChars()); } else { error(arg.loc, "%s `%s` assigned to non-scope parameter `%s` calling %s", desc, v.toChars(), par ? par.toChars() : "this", fdc ? fdc.toPrettyChars() : "indirectly"); } } result = true; } } foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue %s\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); notMaybeScope(v); if (v.isScope()) { unsafeAssign(v, "scope variable"); } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { unsafeAssign(v, "variadic variable"); } } else { /* v is not 'scope', and is assigned to a parameter that may escape. * Therefore, v can never be 'scope'. */ if (log) printf("no infer for %s in %s loc %s, fdc %s, %d\n", v.toChars(), sc.func.ident.toChars(), sc.func.loc.toChars(), fdc.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref %s\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0 && p == sc.func) { if (par && (par.storageClass & (STC.scope_ | STC.return_)) == STC.scope_) continue; unsafeAssign(v, "reference to local variable"); continue; } } foreach (FuncDeclaration fd; er.byfunc) { //printf("fd = %s, %d\n", fd.toChars(), fd.tookAddressOf); VarDeclarations vars; findAllOuterAccessedVariables(fd, &vars); foreach (v; vars) { //printf("v = %s\n", v.toChars()); assert(!v.isDataseg()); // these are not put in the closureVars[] Dsymbol p = v.toParent2(); notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_ | STC.scope_)) && p == sc.func) { unsafeAssign(v, "reference to local"); continue; } } } foreach (Expression ee; er.byexp) { if (sc.func && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "reference to stack allocated value returned by `%s` assigned to non-scope parameter `%s`", ee.toChars(), par ? par.toChars() : "this"); result = true; } } return result; } /***************************************************** * Function argument initializes a `return` parameter, * and that parameter gets assigned to `firstArg`. * Essentially, treat as `firstArg = arg;` * Params: * sc = used to determine current function and module * firstArg = `ref` argument through which `arg` may be assigned * arg = initializer for parameter * gag = do not print error messages * Returns: * `true` if assignment to `firstArg` would cause an error */ bool checkParamArgumentReturn(Scope* sc, Expression firstArg, Expression arg, bool gag) { enum log = false; if (log) printf("checkParamArgumentReturn(firstArg: %s arg: %s)\n", firstArg.toChars(), arg.toChars()); //printf("type = %s, %d\n", arg.type.toChars(), arg.type.hasPointers()); if (!arg.type.hasPointers()) return false; scope e = new AssignExp(arg.loc, firstArg, arg); return checkAssignEscape(sc, e, gag); } /***************************************************** * Check struct constructor of the form `s.this(args)`, by * checking each `return` parameter to see if it gets * assigned to `s`. * Params: * sc = used to determine current function and module * ce = constructor call of the form `s.this(args)` * gag = do not print error messages * Returns: * `true` if construction would cause an escaping reference error */ bool checkConstructorEscape(Scope* sc, CallExp ce, bool gag) { enum log = false; if (log) printf("checkConstructorEscape(%s, %s)\n", ce.toChars(), ce.type.toChars()); Type tthis = ce.type.toBasetype(); assert(tthis.ty == Tstruct); if (!tthis.hasPointers()) return false; if (!ce.arguments && ce.arguments.dim) return false; assert(ce.e1.op == TOK.dotVariable); DotVarExp dve = cast(DotVarExp)ce.e1; CtorDeclaration ctor = dve.var.isCtorDeclaration(); assert(ctor); assert(ctor.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)ctor.type; const nparams = tf.parameterList.length; const n = ce.arguments.dim; // j=1 if _arguments[] is first argument const j = tf.isDstyleVariadic(); /* Attempt to assign each `return` arg to the `this` reference */ foreach (const i; 0 .. n) { Expression arg = (*ce.arguments)[i]; if (!arg.type.hasPointers()) return false; //printf("\targ[%d]: %s\n", i, arg.toChars()); if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; if (p.storageClass & STC.return_) { /* Fake `dve.e1 = arg;` and look for scope violations */ scope e = new AssignExp(arg.loc, dve.e1, arg); if (checkAssignEscape(sc, e, gag)) return true; } } } return false; } /**************************************** * Given an `AssignExp`, determine if the lvalue will cause * the contents of the rvalue to escape. * Print error messages when these are detected. * Infer `scope` attribute for the lvalue where possible, in order * to eliminate the error. * Params: * sc = used to determine current function and module * e = `AssignExp` or `CatAssignExp` to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape via assignment */ bool checkAssignEscape(Scope* sc, Expression e, bool gag) { enum log = false; if (log) printf("checkAssignEscape(e: %s)\n", e.toChars()); if (e.op != TOK.assign && e.op != TOK.blit && e.op != TOK.construct && e.op != TOK.concatenateAssign && e.op != TOK.concatenateElemAssign && e.op != TOK.concatenateDcharAssign) return false; auto ae = cast(BinExp)e; Expression e1 = ae.e1; Expression e2 = ae.e2; //printf("type = %s, %d\n", e1.type.toChars(), e1.type.hasPointers()); if (!e1.type.hasPointers()) return false; if (e1.op == TOK.slice) return false; /* The struct literal case can arise from the S(e2) constructor call: * return S(e2); * and appears in this function as: * structLiteral = e2; * Such an assignment does not necessarily remove scope-ness. */ if (e1.op == TOK.structLiteral) return false; EscapeByResults er; escapeByValue(e2, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byfunc.dim && !er.byexp.dim) return false; VarDeclaration va = expToVariable(e1); if (va && e.op == TOK.concatenateElemAssign) { /* https://issues.dlang.org/show_bug.cgi?id=17842 * Draw an equivalence between: * *q = p; * and: * va ~= e; * since we are not assigning to va, but are assigning indirectly through va. */ va = null; } if (va && e1.op == TOK.dotVariable && va.type.toBasetype().ty == Tclass) { /* https://issues.dlang.org/show_bug.cgi?id=17949 * Draw an equivalence between: * *q = p; * and: * va.field = e2; * since we are not assigning to va, but are assigning indirectly through class reference va. */ va = null; } if (log && va) printf("va: %s\n", va.toChars()); // Try to infer 'scope' for va if in a function not marked @system bool inferScope = false; if (va && sc.func && sc.func.type && sc.func.type.ty == Tfunction) inferScope = (cast(TypeFunction)sc.func.type).trust != TRUST.system; //printf("inferScope = %d, %d\n", inferScope, (va.storage_class & STCmaybescope) != 0); // Determine if va is a parameter that is an indirect reference const bool vaIsRef = va && va.storage_class & STC.parameter && (va.storage_class & (STC.ref_ | STC.out_) || va.type.toBasetype().ty == Tclass); if (log && vaIsRef) printf("va is ref `%s`\n", va.toChars()); /* Determine if va is the first parameter, through which other 'return' parameters * can be assigned. */ bool isFirstRef() { if (!vaIsRef) return false; Dsymbol p = va.toParent2(); FuncDeclaration fd = sc.func; if (p == fd && fd.type && fd.type.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)fd.type; if (!tf.nextOf() || (tf.nextOf().ty != Tvoid && !fd.isCtorDeclaration())) return false; if (va == fd.vthis) return true; if (fd.parameters && fd.parameters.dim && (*fd.parameters)[0] == va) return true; } return false; } const bool vaIsFirstRef = isFirstRef(); if (log && vaIsFirstRef) printf("va is first ref `%s`\n", va.toChars()); bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue: %s\n", v.toChars()); if (v.isDataseg()) continue; if (v == va) continue; Dsymbol p = v.toParent2(); if (va && !vaIsRef && !va.isScope() && !v.isScope() && (va.storage_class & v.storage_class & (STC.maybescope | STC.variadic)) == STC.maybescope && p == sc.func) { /* Add v to va's list of dependencies */ va.addMaybe(v); continue; } if (vaIsFirstRef && (v.isScope() || (v.storage_class & STC.maybescope)) && !(v.storage_class & STC.return_) && v.isParameter() && sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { if (log) printf("inferring 'return' for parameter %s in function %s\n", v.toChars(), sc.func.toChars()); inferReturn(sc.func, v); // infer addition of 'return' } if (!(va && va.isScope()) || vaIsRef) notMaybeScope(v); if (v.isScope()) { if (vaIsFirstRef && v.isParameter() && v.storage_class & STC.return_) { if (va.isScope()) continue; if (inferScope && !va.doNotInferScope) { if (log) printf("inferring scope for lvalue %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; continue; } } if (va && va.isScope() && va.storage_class & STC.return_ && !(v.storage_class & STC.return_) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to return scope `%s`", v.toChars(), va.toChars()); result = true; continue; } // If va's lifetime encloses v's, then error if (va && (va.enclosesLifetimeOf(v) && !(v.storage_class & (STC.parameter | STC.temp)) || // va is class reference ae.e1.op == TOK.dotVariable && va.type.toBasetype().ty == Tclass && (va.enclosesLifetimeOf(v) || !va.isScope()) || vaIsRef || va.storage_class & (STC.ref_ | STC.out_) && !(v.storage_class & (STC.parameter | STC.temp))) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue; } if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; if (v.storage_class & STC.return_ && !(va.storage_class & STC.return_)) { va.storage_class |= STC.return_ | STC.returninferred; } } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "variadic variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } } else { /* v is not 'scope', and we didn't check the scope of where we assigned it to. * It may escape via that assignment, therefore, v can never be 'scope'. */ //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } ByRef: foreach (VarDeclaration v; er.byref) { if (log) printf("byref: %s\n", v.toChars()); if (v.isDataseg()) continue; if (global.params.vsafe) { if (va && va.isScope() && (v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (!(va.storage_class & STC.return_)) { va.doNotInferReturn = true; } else if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "address of local variable `%s` assigned to return scope `%s`", v.toChars(), va.toChars()); result = true; continue; } } } Dsymbol p = v.toParent2(); // If va's lifetime encloses v's, then error if (va && (va.enclosesLifetimeOf(v) && !(v.isParameter() && v.isRef()) || va.isDataseg()) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "address of variable `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue; } if (va && v.storage_class & (STC.ref_ | STC.out_)) { Dsymbol pva = va.toParent2(); for (Dsymbol pv = p; pv; ) { pv = pv.toParent2(); if (pva == pv) // if v is nested inside pva { if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue ByRef; } break; } } } if (!(va && va.isScope())) notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) || p != sc.func) continue; if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (e1.op == TOK.structLiteral) continue; if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference to local variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } foreach (FuncDeclaration fd; er.byfunc) { if (log) printf("byfunc: %s, %d\n", fd.toChars(), fd.tookAddressOf); VarDeclarations vars; findAllOuterAccessedVariables(fd, &vars); /* https://issues.dlang.org/show_bug.cgi?id=16037 * If assigning the address of a delegate to a scope variable, * then uncount that address of. This is so it won't cause a * closure to be allocated. */ if (va && va.isScope() && fd.tookAddressOf) --fd.tookAddressOf; foreach (v; vars) { //printf("v = %s\n", v.toChars()); assert(!v.isDataseg()); // these are not put in the closureVars[] Dsymbol p = v.toParent2(); if (!(va && va.isScope())) notMaybeScope(v); if (!(v.storage_class & (STC.ref_ | STC.out_ | STC.scope_)) || p != sc.func) continue; if (va && !va.isDataseg() && !va.doNotInferScope) { /* Don't infer STC.scope_ for va, because then a closure * won't be generated for sc.func. */ //if (!va.isScope() && inferScope) //va.storage_class |= STC.scope_ | STC.scopeinferred; continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference to local `%s` assigned to non-scope `%s` in @safe code", v.toChars(), e1.toChars()); result = true; } } } foreach (Expression ee; er.byexp) { if (log) printf("byexp: %s\n", ee.toChars()); /* Do not allow slicing of a static array returned by a function */ if (ee.op == TOK.call && ee.type.toBasetype().ty == Tsarray && e1.type.toBasetype().ty == Tarray && !(va && va.storage_class & STC.temp)) { if (!gag) deprecation(ee.loc, "slice of static array temporary returned by `%s` assigned to longer lived variable `%s`", ee.toChars(), e1.toChars()); //result = true; continue; } if (ee.op == TOK.call && ee.type.toBasetype().ty == Tstruct && (!va || !(va.storage_class & STC.temp)) && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "address of struct temporary returned by `%s` assigned to longer lived variable `%s`", ee.toChars(), e1.toChars()); result = true; continue; } if (ee.op == TOK.structLiteral && (!va || !(va.storage_class & STC.temp)) && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "address of struct literal `%s` assigned to longer lived variable `%s`", ee.toChars(), e1.toChars()); result = true; continue; } if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ee.loc, "reference to stack allocated value returned by `%s` assigned to non-scope `%s`", ee.toChars(), e1.toChars()); result = true; } } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame when throwing `e`. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkThrowEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkThrowEscape, e = %s\n", e.loc.toChars(), e.toChars()); EscapeByResults er; escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { //printf("byvalue %s\n", v.toChars()); if (v.isDataseg()) continue; if (v.isScope() && !v.iscatchvar) // special case: allow catch var to be rethrown // despite being `scope` { if (sc._module && sc._module.isRoot()) { // Only look for errors if in module listed on command line if (global.params.vsafe) // https://issues.dlang.org/show_bug.cgi?id=17029 { if (!gag) error(e.loc, "scope variable `%s` may not be thrown", v.toChars()); result = true; } continue; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame by being placed into a GC allocated object. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkNewEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkNewEscape, e = %s\n", e.loc.toChars(), e.toChars()); enum log = false; if (log) printf("[%s] checkNewEscape, e: `%s`\n", e.loc.toChars(), e.toChars()); EscapeByResults er; escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue `%s`\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if (v.isScope()) { if (sc._module && sc._module.isRoot() && /* This case comes up when the ReturnStatement of a __foreachbody is * checked for escapes by the caller of __foreachbody. Skip it. * * struct S { static int opApply(int delegate(S*) dg); } * S* foo() { * foreach (S* s; S) // create __foreachbody for body of foreach * return s; // s is inferred as 'scope' but incorrectly tested in foo() * return null; } */ !(p.parent == sc.func)) { // Only look for errors if in module listed on command line if (global.params.vsafe // https://issues.dlang.org/show_bug.cgi?id=17029 && sc.func.setUnsafe()) // https://issues.dlang.org/show_bug.cgi?id=20868 { if (!gag) error(e.loc, "scope variable `%s` may not be copied into allocated memory", v.toChars()); result = true; } continue; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!gag) error(e.loc, "copying `%s` into allocated memory escapes a reference to variadic parameter `%s`", e.toChars(), v.toChars()); result = false; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref `%s`\n", v.toChars()); // 'emitError' tells us whether to emit an error or a deprecation, // depending on the flag passed to the CLI for DIP25 void escapingRef(VarDeclaration v, bool emitError = true) { if (!gag) { const(char)* kind = (v.storage_class & STC.parameter) ? "parameter" : "local"; const(char)* msg = "copying `%s` into allocated memory escapes a reference to %s variable `%s`"; if (emitError) error(e.loc, msg, e.toChars(), kind, v.toChars()); else if (!sc.isDeprecated()) deprecation(e.loc, msg, e.toChars(), kind, v.toChars()); } result |= emitError; } if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (p == sc.func) { escapingRef(v); continue; } } /* Check for returning a ref variable by 'ref', but should be 'return ref' * Infer the addition of 'return', or set result to be the offending expression. */ if (!(v.storage_class & (STC.ref_ | STC.out_))) continue; if (!sc._module || !sc._module.isRoot()) continue; // If -preview=dip25 is used, the user wants an error // Otherwise, issue a deprecation const emitError = global.params.useDIP25 == FeatureState.enabled; // https://dlang.org/spec/function.html#return-ref-parameters // Only look for errors if in module listed on command line if (p == sc.func) { //printf("escaping reference to local ref variable %s\n", v.toChars()); //printf("storage class = x%llx\n", v.storage_class); escapingRef(v, emitError); continue; } // Don't need to be concerned if v's parent does not return a ref FuncDeclaration fd = p.isFuncDeclaration(); if (!fd || !fd.type) continue; if (auto tf = fd.type.isTypeFunction()) { if (!tf.isref) continue; const(char)* msg = "storing reference to outer local variable `%s` into allocated memory causes it to escape"; if (!gag && emitError) error(e.loc, msg, v.toChars()); else if (!gag) deprecation(e.loc, msg, v.toChars()); result |= emitError; } } foreach (Expression ee; er.byexp) { if (log) printf("byexp %s\n", ee.toChars()); if (!gag) error(ee.loc, "storing reference to stack allocated value returned by `%s` into allocated memory causes it to escape", ee.toChars()); result = true; } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame by returning `e` by value. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkReturnEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkReturnEscape, e: %s\n", e.loc.toChars(), e.toChars()); return checkReturnEscapeImpl(sc, e, false, gag); } /************************************ * Detect cases where returning `e` by `ref` can result in a reference to the stack * being returned. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check * gag = do not print error messages * Returns: * `true` if references to the stack can escape */ bool checkReturnEscapeRef(Scope* sc, Expression e, bool gag) { version (none) { printf("[%s] checkReturnEscapeRef, e = %s\n", e.loc.toChars(), e.toChars()); printf("current function %s\n", sc.func.toChars()); printf("parent2 function %s\n", sc.func.toParent2().toChars()); } return checkReturnEscapeImpl(sc, e, true, gag); } /*************************************** * Implementation of checking for escapes in return expressions. * Params: * sc = used to determine current function and module * e = expression to check * refs = `true`: escape by value, `false`: escape by `ref` * gag = do not print error messages * Returns: * `true` if references to the stack can escape */ private bool checkReturnEscapeImpl(Scope* sc, Expression e, bool refs, bool gag) { enum log = false; if (log) printf("[%s] checkReturnEscapeImpl, refs: %d e: `%s`\n", e.loc.toChars(), refs, e.toChars()); EscapeByResults er; if (refs) escapeByRef(e, &er); else escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue `%s`\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if ((v.isScope() || (v.storage_class & STC.maybescope)) && !(v.storage_class & STC.return_) && v.isParameter() && !v.doNotInferReturn && sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { inferReturn(sc.func, v); // infer addition of 'return' continue; } if (v.isScope()) { if (v.storage_class & STC.return_) continue; auto pfunc = p.isFuncDeclaration(); if (pfunc && sc._module && sc._module.isRoot() && /* This case comes up when the ReturnStatement of a __foreachbody is * checked for escapes by the caller of __foreachbody. Skip it. * * struct S { static int opApply(int delegate(S*) dg); } * S* foo() { * foreach (S* s; S) // create __foreachbody for body of foreach * return s; // s is inferred as 'scope' but incorrectly tested in foo() * return null; } */ !(!refs && p.parent == sc.func && pfunc.fes) && /* * auto p(scope string s) { * string scfunc() { return s; } * } */ !(!refs && sc.func.isFuncDeclaration().getLevel(pfunc, sc.intypeof) > 0) ) { // Only look for errors if in module listed on command line if (global.params.vsafe) // https://issues.dlang.org/show_bug.cgi?id=17029 { if (!gag) error(e.loc, "scope variable `%s` may not be returned", v.toChars()); result = true; } continue; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!gag) error(e.loc, "returning `%s` escapes a reference to variadic parameter `%s`", e.toChars(), v.toChars()); result = false; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref `%s`\n", v.toChars()); // 'emitError' tells us whether to emit an error or a deprecation, // depending on the flag passed to the CLI for DIP25 void escapingRef(VarDeclaration v, bool emitError = true) { if (!gag) { const(char)* msg, supplemental; if (v.storage_class & STC.parameter && (v.type.hasPointers() || v.storage_class & STC.ref_)) { msg = "returning `%s` escapes a reference to parameter `%s`"; supplemental = "perhaps annotate the parameter with `return`"; } else { msg = "returning `%s` escapes a reference to local variable `%s`"; if (v.ident is Id.This) supplemental = "perhaps annotate the function with `return`"; } if (emitError) { e.error(msg, e.toChars(), v.toChars()); if (supplemental) e.errorSupplemental(supplemental); } else { e.deprecation(msg, e.toChars(), v.toChars()); if (supplemental) deprecationSupplemental(e.loc, supplemental); } } result = true; } if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); // https://issues.dlang.org/show_bug.cgi?id=19965 if (!refs && sc.func.vthis == v) notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (p == sc.func) { escapingRef(v); continue; } FuncDeclaration fd = p.isFuncDeclaration(); if (fd && sc.func.flags & FUNCFLAG.returnInprocess) { /* Code like: * int x; * auto dg = () { return &x; } * Making it: * auto dg = () return { return &x; } * Because dg.ptr points to x, this is returning dt.ptr+offset */ if (global.params.vsafe) { sc.func.storage_class |= STC.return_ | STC.returninferred; } } } /* Check for returning a ref variable by 'ref', but should be 'return ref' * Infer the addition of 'return', or set result to be the offending expression. */ if ( (v.storage_class & (STC.ref_ | STC.out_)) && !(v.storage_class & (STC.return_ | STC.foreach_))) { if (sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { inferReturn(sc.func, v); // infer addition of 'return' } else if (sc._module && sc._module.isRoot()) { // If -preview=dip25 is used, the user wants an error // Otherwise, issue a deprecation const emitError = global.params.useDIP25 == FeatureState.enabled; // https://dlang.org/spec/function.html#return-ref-parameters // Only look for errors if in module listed on command line if (p == sc.func) { //printf("escaping reference to local ref variable %s\n", v.toChars()); //printf("storage class = x%llx\n", v.storage_class); escapingRef(v, emitError); continue; } // Don't need to be concerned if v's parent does not return a ref FuncDeclaration fd = p.isFuncDeclaration(); if (fd && fd.type && fd.type.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)fd.type; if (tf.isref) { const(char)* msg = "escaping reference to outer local variable `%s`"; if (!gag && emitError) error(e.loc, msg, v.toChars()); else if (!gag) deprecation(e.loc, msg, v.toChars()); result = true; continue; } } } } } foreach (Expression ee; er.byexp) { if (log) printf("byexp %s\n", ee.toChars()); if (!gag) error(ee.loc, "escaping reference to stack allocated value returned by `%s`", ee.toChars()); result = true; } return result; } /************************************* * Variable v needs to have 'return' inferred for it. * Params: * fd = function that v is a parameter to * v = parameter that needs to be STC.return_ */ private void inferReturn(FuncDeclaration fd, VarDeclaration v) { // v is a local in the current function //printf("for function '%s' inferring 'return' for variable '%s'\n", fd.toChars(), v.toChars()); v.storage_class |= STC.return_ | STC.returninferred; TypeFunction tf = cast(TypeFunction)fd.type; if (v == fd.vthis) { /* v is the 'this' reference, so mark the function */ fd.storage_class |= STC.return_ | STC.returninferred; if (tf.ty == Tfunction) { //printf("'this' too %p %s\n", tf, sc.func.toChars()); tf.isreturn = true; tf.isreturninferred = true; } } else { // Perform 'return' inference on parameter if (tf.ty == Tfunction) { foreach (i, p; tf.parameterList) { if (p.ident == v.ident) { p.storageClass |= STC.return_ | STC.returninferred; break; // there can be only one } } } } } /**************************************** * e is an expression to be returned by value, and that value contains pointers. * Walk e to determine which variables are possibly being * returned by value, such as: * int* function(int* p) { return p; } * If e is a form of &p, determine which variables have content * which is being returned as ref, such as: * int* function(int i) { return &i; } * Multiple variables can be inserted, because of expressions like this: * int function(bool b, int i, int* p) { return b ? &i : p; } * * No side effects. * * Params: * e = expression to be returned by value * er = where to place collected data * live = if @live semantics apply, i.e. expressions `p`, `*p`, `**p`, etc., all return `p`. */ void escapeByValue(Expression e, EscapeByResults* er, bool live = false) { //printf("[%s] escapeByValue, e: %s\n", e.loc.toChars(), e.toChars()); extern (C++) final class EscapeVisitor : Visitor { alias visit = Visitor.visit; public: EscapeByResults* er; bool live; extern (D) this(EscapeByResults* er, bool live) { this.er = er; this.live = live; } override void visit(Expression e) { } override void visit(AddrExp e) { /* Taking the address of struct literal is normally not * allowed, but CTFE can generate one out of a new expression, * but it'll be placed in static data so no need to check it. */ if (e.e1.op != TOK.structLiteral) escapeByRef(e.e1, er, live); } override void visit(SymOffExp e) { VarDeclaration v = e.var.isVarDeclaration(); if (v) er.byref.push(v); } override void visit(VarExp e) { if (auto v = e.var.isVarDeclaration()) { if (v.type.hasPointers() || // not tracking non-pointers v.storage_class & STC.lazy_) // lazy variables are actually pointers er.byvalue.push(v); } } override void visit(ThisExp e) { if (e.var) er.byvalue.push(e.var); } override void visit(PtrExp e) { if (live && e.type.hasPointers()) e.e1.accept(this); } override void visit(DotVarExp e) { auto t = e.e1.type.toBasetype(); if (e.type.hasPointers() && (live || t.ty == Tstruct)) { e.e1.accept(this); } } override void visit(DelegateExp e) { Type t = e.e1.type.toBasetype(); if (t.ty == Tclass || t.ty == Tpointer) escapeByValue(e.e1, er, live); else escapeByRef(e.e1, er, live); er.byfunc.push(e.func); } override void visit(FuncExp e) { if (e.fd.tok == TOK.delegate_) er.byfunc.push(e.fd); } override void visit(TupleExp e) { assert(0); // should have been lowered by now } override void visit(ArrayLiteralExp e) { Type tb = e.type.toBasetype(); if (tb.ty == Tsarray || tb.ty == Tarray) { if (e.basis) e.basis.accept(this); foreach (el; *e.elements) { if (el) el.accept(this); } } } override void visit(StructLiteralExp e) { if (e.elements) { foreach (ex; *e.elements) { if (ex) ex.accept(this); } } } override void visit(NewExp e) { Type tb = e.newtype.toBasetype(); if (tb.ty == Tstruct && !e.member && e.arguments) { foreach (ex; *e.arguments) { if (ex) ex.accept(this); } } } override void visit(CastExp e) { if (!e.type.hasPointers()) return; Type tb = e.type.toBasetype(); if (tb.ty == Tarray && e.e1.type.toBasetype().ty == Tsarray) { escapeByRef(e.e1, er, live); } else e.e1.accept(this); } override void visit(SliceExp e) { if (e.e1.op == TOK.variable) { VarDeclaration v = (cast(VarExp)e.e1).var.isVarDeclaration(); Type tb = e.type.toBasetype(); if (v) { if (tb.ty == Tsarray) return; if (v.storage_class & STC.variadic) { er.byvalue.push(v); return; } } } Type t1b = e.e1.type.toBasetype(); if (t1b.ty == Tsarray) { Type tb = e.type.toBasetype(); if (tb.ty != Tsarray) escapeByRef(e.e1, er, live); } else e.e1.accept(this); } override void visit(IndexExp e) { if (e.e1.type.toBasetype().ty == Tsarray || live && e.type.hasPointers()) { e.e1.accept(this); } } override void visit(BinExp e) { Type tb = e.type.toBasetype(); if (tb.ty == Tpointer) { e.e1.accept(this); e.e2.accept(this); } } override void visit(BinAssignExp e) { e.e1.accept(this); } override void visit(AssignExp e) { e.e1.accept(this); } override void visit(CommaExp e) { e.e2.accept(this); } override void visit(CondExp e) { e.e1.accept(this); e.e2.accept(this); } override void visit(CallExp e) { //printf("CallExp(): %s\n", e.toChars()); /* Check each argument that is * passed as 'return scope'. */ Type t1 = e.e1.type.toBasetype(); TypeFunction tf; TypeDelegate dg; if (t1.ty == Tdelegate) { dg = cast(TypeDelegate)t1; tf = cast(TypeFunction)(cast(TypeDelegate)t1).next; } else if (t1.ty == Tfunction) tf = cast(TypeFunction)t1; else return; if (!e.type.hasPointers()) return; if (e.arguments && e.arguments.dim) { /* j=1 if _arguments[] is first argument, * skip it because it is not passed by ref */ int j = tf.isDstyleVariadic(); for (size_t i = j; i < e.arguments.dim; ++i) { Expression arg = (*e.arguments)[i]; size_t nparams = tf.parameterList.length; if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; const stc = tf.parameterStorageClass(null, p); if ((stc & (STC.scope_)) && (stc & STC.return_)) arg.accept(this); else if ((stc & (STC.ref_)) && (stc & STC.return_)) { if (tf.isref) { /* Treat: * ref P foo(return ref P p) * as: * p; */ arg.accept(this); } else escapeByRef(arg, er, live); } } } } // If 'this' is returned, check it too if (e.e1.op == TOK.dotVariable && t1.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e.e1; FuncDeclaration fd = dve.var.isFuncDeclaration(); AggregateDeclaration ad; if (global.params.vsafe && tf.isreturn && fd && (ad = fd.isThis()) !is null) { if (ad.isClassDeclaration() || tf.isScopeQual) // this is 'return scope' dve.e1.accept(this); else if (ad.isStructDeclaration()) // this is 'return ref' { if (tf.isref) { /* Treat calling: * struct S { ref S foo() return; } * as: * this; */ dve.e1.accept(this); } else escapeByRef(dve.e1, er, live); } } else if (dve.var.storage_class & STC.return_ || tf.isreturn) { if (dve.var.storage_class & STC.scope_) dve.e1.accept(this); else if (dve.var.storage_class & STC.ref_) escapeByRef(dve.e1, er, live); } // If it's also a nested function that is 'return scope' if (fd && fd.isNested()) { if (tf.isreturn && tf.isScopeQual) er.byexp.push(e); } } /* If returning the result of a delegate call, the .ptr * field of the delegate must be checked. */ if (dg) { if (tf.isreturn) e.e1.accept(this); } /* If it's a nested function that is 'return scope' */ if (e.e1.op == TOK.variable) { VarExp ve = cast(VarExp)e.e1; FuncDeclaration fd = ve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn && tf.isScopeQual) er.byexp.push(e); } } } } scope EscapeVisitor v = new EscapeVisitor(er, live); e.accept(v); } /**************************************** * e is an expression to be returned by 'ref'. * Walk e to determine which variables are possibly being * returned by ref, such as: * ref int function(int i) { return i; } * If e is a form of *p, determine which variables have content * which is being returned as ref, such as: * ref int function(int* p) { return *p; } * Multiple variables can be inserted, because of expressions like this: * ref int function(bool b, int i, int* p) { return b ? i : *p; } * * No side effects. * * Params: * e = expression to be returned by 'ref' * er = where to place collected data * live = if @live semantics apply, i.e. expressions `p`, `*p`, `**p`, etc., all return `p`. */ void escapeByRef(Expression e, EscapeByResults* er, bool live = false) { //printf("[%s] escapeByRef, e: %s\n", e.loc.toChars(), e.toChars()); extern (C++) final class EscapeRefVisitor : Visitor { alias visit = Visitor.visit; public: EscapeByResults* er; bool live; extern (D) this(EscapeByResults* er, bool live) { this.er = er; this.live = live; } override void visit(Expression e) { } override void visit(VarExp e) { auto v = e.var.isVarDeclaration(); if (v) { if (v.storage_class & STC.ref_ && v.storage_class & (STC.foreach_ | STC.temp) && v._init) { /* If compiler generated ref temporary * (ref v = ex; ex) * look at the initializer instead */ if (ExpInitializer ez = v._init.isExpInitializer()) { assert(ez.exp && ez.exp.op == TOK.construct); Expression ex = (cast(ConstructExp)ez.exp).e2; ex.accept(this); } } else er.byref.push(v); } } override void visit(ThisExp e) { if (e.var && e.var.toParent2().isFuncDeclaration().isThis2) escapeByValue(e, er, live); else if (e.var) er.byref.push(e.var); } override void visit(PtrExp e) { escapeByValue(e.e1, er, live); } override void visit(IndexExp e) { Type tb = e.e1.type.toBasetype(); if (e.e1.op == TOK.variable) { VarDeclaration v = (cast(VarExp)e.e1).var.isVarDeclaration(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (v && v.storage_class & STC.variadic) { er.byref.push(v); return; } } } if (tb.ty == Tsarray) { e.e1.accept(this); } else if (tb.ty == Tarray) { escapeByValue(e.e1, er, live); } } override void visit(StructLiteralExp e) { if (e.elements) { foreach (ex; *e.elements) { if (ex) ex.accept(this); } } er.byexp.push(e); } override void visit(DotVarExp e) { Type t1b = e.e1.type.toBasetype(); if (t1b.ty == Tclass) escapeByValue(e.e1, er, live); else e.e1.accept(this); } override void visit(BinAssignExp e) { e.e1.accept(this); } override void visit(AssignExp e) { e.e1.accept(this); } override void visit(CommaExp e) { e.e2.accept(this); } override void visit(CondExp e) { e.e1.accept(this); e.e2.accept(this); } override void visit(CallExp e) { //printf("escapeByRef.CallExp(): %s\n", e.toChars()); /* If the function returns by ref, check each argument that is * passed as 'return ref'. */ Type t1 = e.e1.type.toBasetype(); TypeFunction tf; if (t1.ty == Tdelegate) tf = cast(TypeFunction)(cast(TypeDelegate)t1).next; else if (t1.ty == Tfunction) tf = cast(TypeFunction)t1; else return; if (tf.isref) { if (e.arguments && e.arguments.dim) { /* j=1 if _arguments[] is first argument, * skip it because it is not passed by ref */ int j = tf.isDstyleVariadic(); for (size_t i = j; i < e.arguments.dim; ++i) { Expression arg = (*e.arguments)[i]; size_t nparams = tf.parameterList.length; if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; const stc = tf.parameterStorageClass(null, p); if ((stc & (STC.out_ | STC.ref_)) && (stc & STC.return_)) arg.accept(this); else if ((stc & STC.scope_) && (stc & STC.return_)) { if (arg.op == TOK.delegate_) { DelegateExp de = cast(DelegateExp)arg; if (de.func.isNested()) er.byexp.push(de); } else escapeByValue(arg, er, live); } } } } // If 'this' is returned by ref, check it too if (e.e1.op == TOK.dotVariable && t1.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e.e1; // https://issues.dlang.org/show_bug.cgi?id=20149#c10 if (dve.var.isCtorDeclaration()) { er.byexp.push(e); return; } if (dve.var.storage_class & STC.return_ || tf.isreturn) { if (dve.var.storage_class & STC.ref_ || tf.isref) dve.e1.accept(this); else if (dve.var.storage_class & STC.scope_ || tf.isScopeQual) escapeByValue(dve.e1, er, live); } // If it's also a nested function that is 'return ref' FuncDeclaration fd = dve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn) er.byexp.push(e); } } // If it's a delegate, check it too if (e.e1.op == TOK.variable && t1.ty == Tdelegate) { escapeByValue(e.e1, er, live); } /* If it's a nested function that is 'return ref' */ if (e.e1.op == TOK.variable) { VarExp ve = cast(VarExp)e.e1; FuncDeclaration fd = ve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn) er.byexp.push(e); } } } else er.byexp.push(e); } } scope EscapeRefVisitor v = new EscapeRefVisitor(er, live); e.accept(v); } /************************************ * Aggregate the data collected by the escapeBy??() functions. */ struct EscapeByResults { VarDeclarations byref; // array into which variables being returned by ref are inserted VarDeclarations byvalue; // array into which variables with values containing pointers are inserted FuncDeclarations byfunc; // nested functions that are turned into delegates Expressions byexp; // array into which temporaries being returned by ref are inserted /** Reset arrays so the storage can be used again */ void reset() { byref.setDim(0); byvalue.setDim(0); byfunc.setDim(0); byexp.setDim(0); } } /************************* * Find all variables accessed by this delegate that are * in functions enclosing it. * Params: * fd = function * vars = array to append found variables to */ public void findAllOuterAccessedVariables(FuncDeclaration fd, VarDeclarations* vars) { //printf("findAllOuterAccessedVariables(fd: %s)\n", fd.toChars()); for (auto p = fd.parent; p; p = p.parent) { auto fdp = p.isFuncDeclaration(); if (!fdp) continue; foreach (v; fdp.closureVars) { foreach (const fdv; v.nestedrefs) { if (fdv == fd) { //printf("accessed: %s, type %s\n", v.toChars(), v.type.toChars()); vars.push(v); } } } } } /*********************************** * Turn off `STC.maybescope` for variable `v`. * * This exists in order to find where `STC.maybescope` is getting turned off. * Params: * v = variable */ version (none) { public void notMaybeScope(string file = __FILE__, int line = __LINE__)(VarDeclaration v) { printf("%.*s(%d): notMaybeScope('%s')\n", cast(int)file.length, file.ptr, line, v.toChars()); v.storage_class &= ~STC.maybescope; } } else { public void notMaybeScope(VarDeclaration v) { v.storage_class &= ~STC.maybescope; } } /********************************************** * Have some variables that are maybescopes that were * assigned values from other maybescope variables. * Now that semantic analysis of the function is * complete, we can finalize this by turning off * maybescope for array elements that cannot be scope. * * $(TABLE2 Scope Table, * $(THEAD `va`, `v`, =>, `va` , `v` ) * $(TROW maybe, maybe, =>, scope, scope) * $(TROW scope, scope, =>, scope, scope) * $(TROW scope, maybe, =>, scope, scope) * $(TROW maybe, scope, =>, scope, scope) * $(TROW - , - , =>, - , - ) * $(TROW - , maybe, =>, - , - ) * $(TROW - , scope, =>, error, error) * $(TROW maybe, - , =>, scope, - ) * $(TROW scope, - , =>, scope, - ) * ) * Params: * array = array of variables that were assigned to from maybescope variables */ public void eliminateMaybeScopes(VarDeclaration[] array) { enum log = false; if (log) printf("eliminateMaybeScopes()\n"); bool changes; do { changes = false; foreach (va; array) { if (log) printf(" va = %s\n", va.toChars()); if (!(va.storage_class & (STC.maybescope | STC.scope_))) { if (va.maybes) { foreach (v; *va.maybes) { if (log) printf(" v = %s\n", v.toChars()); if (v.storage_class & STC.maybescope) { // v cannot be scope since it is assigned to a non-scope va notMaybeScope(v); if (!(v.storage_class & (STC.ref_ | STC.out_))) v.storage_class &= ~(STC.return_ | STC.returninferred); changes = true; } } } } } } while (changes); } /************************************************ * Is type a reference to a mutable value? * * This is used to determine if an argument that does not have a corresponding * Parameter, i.e. a variadic argument, is a pointer to mutable data. * Params: * t = type of the argument * Returns: * true if it's a pointer (or reference) to mutable data */ bool isReferenceToMutable(Type t) { t = t.baseElemOf(); if (!t.isMutable() || !t.hasPointers()) return false; switch (t.ty) { case Tpointer: if (t.nextOf().isTypeFunction()) break; goto case; case Tarray: case Taarray: case Tdelegate: if (t.nextOf().isMutable()) return true; break; case Tclass: return true; // even if the class fields are not mutable case Tstruct: // Have to look at each field foreach (VarDeclaration v; t.isTypeStruct().sym.fields) { if (v.storage_class & STC.ref_) { if (v.type.isMutable()) return true; } else if (v.type.isReferenceToMutable()) return true; } break; default: assert(0); } return false; } /**************************************** * Is parameter a reference to a mutable value? * * This is used if an argument has a corresponding Parameter. * The argument type is necessary if the Parameter is inout. * Params: * p = Parameter to check * t = type of corresponding argument * Returns: * true if it's a pointer (or reference) to mutable data */ bool isReferenceToMutable(Parameter p, Type t) { if (p.isReference()) { if (p.type.isConst() || p.type.isImmutable()) return false; if (p.type.isWild()) { return t.isMutable(); } return p.type.isMutable(); } return isReferenceToMutable(p.type); }
D
// This code has been mechanically translated from the original FORTRAN // code at http://netlib.org/quadpack. /** Authors: Lars Tandle Kyllingstad Copyright: Copyright (c) 2009, Lars T. Kyllingstad. All rights reserved. License: Boost License 1.0 */ module scid.ports.quadpack.qc25c; import std.math: fabs, log; import scid.core.fortran; import scid.ports.quadpack.qcheb; import scid.ports.quadpack.qk15w; import scid.ports.quadpack.qwgtc; /// void qc25c(Real, Func)(Func f, Real a, Real b, Real c, out Real result, out Real abserr, ref int krul, out int neval) { //***begin prologue dqc25c //***date written 810101 (yymmdd) //***revision date 830518 (yymmdd) //***category no. h2a2a2,j4 //***keywords 25-point clenshaw-curtis integration //***author piessens,robert,appl. math. & progr. div. - k.u.leuven // de doncker,elise,appl. math. & progr. div. - k.u.leuven //***purpose to compute i = integral of f*w over (a,b) with // error estimate, where w(x) = 1/(x-c) //***description // // integration rules for the computation of cauchy // principal value integrals // standard fortran subroutine // double precision version // // parameters // f - double precision // function subprogram defining the integrand function // f(x). the actual name for f needs to be declared // e x t e r n a l in the driver program. // // a - double precision // left end point of the integration interval // // b - double precision // right end point of the integration interval, b.gt.a // // c - double precision // parameter in the weight function // // result - double precision // approximation to the integral // result is computed by using a generalized // clenshaw-curtis method if c lies within ten percent // of the integration interval. in the other case the // 15-point kronrod rule obtained by optimal addition // of abscissae to the 7-point gauss rule, is applied. // // abserr - double precision // estimate of the modulus of the absolute error, // which should equal or exceed abs(i-result) // // krul - integer // key which is decreased by 1 if the 15-point // gauss-kronrod scheme has been used // // neval - integer // number of integrand evaluations // //....................................................................... //***references (none) //***routines called dqcheb,dqk15w,dqwgtc //***end prologue dqc25c // Real ak22,amom0,amom1,amom2,cc,centr, hlgth,p2,p3,p4,resabs, resasc,res12,res24,u; Real[13] cheb12_; Real[25] fval_, cheb24_; int i=1,isym=1,k=1,kp=1; // // the vector x contains the values cos(k*pi/24), // k = 1, ..., 11, to be used for the chebyshev series // expansion of f // static immutable Real[11] x_ = [ 0.9914448613_7381041114_4557526928_563, 0.9659258262_8906828674_9743199728_897, 0.9238795325_1128675612_8183189396_788, 0.8660254037_8443864676_3723170752_936, 0.7933533402_9123516457_9776961501_299, 0.7071067811_8654752440_0844362104_849, 0.6087614290_0872063941_6097542898_164, 0.5000000000_0000000000_0000000000_000, 0.3826834323_6508977172_8459984030_399, 0.2588190451_0252076234_8898837624_048, 0.1305261922_2005159154_8406227895_489]; // auto x = dimension(x_.ptr, 11); auto fval = dimension(fval_.ptr, 25); auto cheb12 = dimension(cheb12_.ptr, 13); auto cheb24 = dimension(cheb24_.ptr, 25); // // list of major variables // ---------------------- // fval - value of the function f at the points // cos(k*pi/24), k = 0, ..., 24 // cheb12 - chebyshev series expansion coefficients, // for the function f, of degree 12 // cheb24 - chebyshev series expansion coefficients, // for the function f, of degree 24 // res12 - approximation to the integral corresponding // to the use of cheb12 // res24 - approximation to the integral corresponding // to the use of cheb24 // dqwgtc - external function subprogram defining // the weight function // hlgth - half-length of the interval // centr - mid point of the interval // // // check the position of c. // //***first executable statement dqc25c cc = (0.2e1*c-b-a)/(b-a); if(fabs(cc) < 0.11e1) goto l10; // // apply the 15-point gauss-kronrod scheme. // krul = krul-1; qk15w!(Real,Func)(f,&qwgtc!Real,c,p2,p3,p4,kp,a,b,result,abserr, resabs,resasc); neval = 15; if (resasc == abserr) krul = krul+1; goto l50; // // use the generalized clenshaw-curtis method. // l10: hlgth = 0.5*(b-a); centr = 0.5*(b+a); neval = 25; fval[1] = 0.5*f(hlgth+centr); fval[13] = f(centr); fval[25] = 0.5*f(centr-hlgth); for (i=2; i<=12; i++) { //do 20 i=2,12 u = hlgth*x[i-1]; isym = 26-i; fval[i] = f(u+centr); fval[isym] = f(centr-u); l20: ;} // // compute the chebyshev series expansion. // qcheb!Real(x.ptr,fval.ptr,cheb12.ptr,cheb24.ptr); // // the modified chebyshev moments are computed by forward // recursion, using amom0 and amom1 as starting values. // amom0 = log(fabs((0.1e1-cc)/(0.1e1+cc))); amom1 = 0.2e1+cc*amom0; res12 = cheb12[1]*amom0+cheb12[2]*amom1; res24 = cheb24[1]*amom0+cheb24[2]*amom1; for (k=3; k<=13; k++) { //do 30 k=3,13 amom2 = 0.2e1*cc*amom1-amom0; ak22 = (k-2)*(k-2); if((k/2)*2 == k) amom2 = amom2-0.4e1/(ak22-0.1e1); res12 = res12+cheb12[k]*amom2; res24 = res24+cheb24[k]*amom2; amom0 = amom1; amom1 = amom2; l30: ;} for (k=14; k<=25; k++) { //do 40 k=14,25 amom2 = 0.2e1*cc*amom1-amom0; ak22 = (k-2)*(k-2); if((k/2)*2 == k) amom2 = amom2-0.4e1/(ak22-0.1e1); res24 = res24+cheb24[k]*amom2; amom0 = amom1; amom1 = amom2; l40: ;} result = res24; abserr = fabs(res24-res12); l50: return; } unittest { alias qc25c!(float, float delegate(float)) fqc25c; alias qc25c!(double, double delegate(double)) dqc25c; alias qc25c!(double, double function(double)) dfqc25c; alias qc25c!(real, real delegate(real)) rqc25c; }
D
module intrinsics; import std.algorithm; import std.functional : toDelegate; import std.sumtype; import rule; import type; import scopes; import value; debug import std.stdio; Rule [] globalRules; // Used to create Mappings, mostly used to create associative arrays/dicts. InterpretedValue espukiToFun ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher // , ref ValueScope valueScope ) { assert (inputs.length == 3); return toEspuki (Mapping (inputs [0], inputs [2])); } InterpretedValue createAA ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher ) { // Should this be == 3? assert (inputs.length >= 3); TypeId typeMapping = arrayElementType (inputs [0].type); TypeId [2] mappingTypes = mappingElementTypes (typeMapping); EspukiAA toRet; auto asArray = inputs [0] .extractVar () .tryMatch! ((Value [] vars) => vars) .map! (var => var .extractVar //.tryMatch!((VarWrapper vw) => vw) .tryMatch!((Var [] mapping) => mapping) ); foreach (mapped; asArray) { assert (mapped.length == 2); writeln (`===== Inserting `, mapped [0], ` -> `, mapped [1], ` into AA`); toRet.val [VarWrapper (mapped [0])] = mapped [1]; } return toRet.toEspuki (mappingTypes [0], mappingTypes [1]); } InterpretedValue arrayPos ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher ) { assert (inputs.length == 3); TypeId elementType = inputs [0].type.arrayElementType (); writeln(inputs [0].extractVar); writeln(elementType); return InterpretedValue ( elementType , inputs [0] .extractVar () .tryMatch! ((Value [] asArray) => asArray) [inputs [2].extractVar.tryMatch!((long l) => l)] .extractVar ); } InterpretedValue aaGet ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher ) { assert (inputs.length == 3); TypeId valueType = inputs [0].type.aaValueType (); return InterpretedValue ( valueType , inputs [0] .extractVar .tryMatch! ((const EspukiAA aa) => aa.val) [VarWrapper (inputs [2].extractVar)] ); } InterpretedValue intSum ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher ) { assert (inputs.length == 3); assert (inputs [0].type == I64); assert (inputs [2].type == I64); return InterpretedValue ( I64 , Var ( inputs [0] .extractVar () .tryMatch! ((long l) => l) + inputs [2] .extractVar () .tryMatch! ((long l) => l) ) ); } InterpretedValue callParameterlessFunction ( ref InterpretedValue [] inputs , ref RuleMatcher ruleMatcher ) { assert (inputs.length == 2); assert (inputs [0].type == ParameterlessFunction); assert (0, `TODO: Call the provided function`); /*return InterpretedValue ( I64, Var (777) );*/ } shared static this () { // TODO: Make generic auto espukiTo = Rule ( [RuleParam (Any), RuleParam (`to`), RuleParam (Any)] , toDelegate (&espukiToFun) ); auto createAAR = Rule ( [RuleParam (ArrayKind), RuleParam (`as`), RuleParam (`aa`)] , toDelegate (&createAA) ); auto arrayPosIdx = Rule ( [RuleParam (ArrayKind), RuleParam (`pos`), RuleParam (I64)] , toDelegate (&arrayPos) ); auto aaGet = Rule ( [RuleParam (AAKind), RuleParam (`get`), RuleParam (Any)] , toDelegate (&aaGet) ); auto intAdd = Rule ( [RuleParam (I64), RuleParam (`+`), RuleParam (I64)] , toDelegate (&intSum) ); auto callParameterless = Rule ( [RuleParam (`call`), RuleParam (ParameterlessFunction)] , toDelegate (&callParameterlessFunction) ); globalRules = [espukiTo, createAAR, arrayPosIdx, aaGet, intAdd, callParameterless]; }
D
/** * Copyright: Copyright (C) 2007-2008 Aaron Craelius. All rights reserved. * Authors: Aaron Craelius */ module sendero.util.Serialization; import tango.io.protocol.Writer, tango.io.protocol.Reader; import tango.io.protocol.model.IProtocol; import tango.io.protocol.EndianProtocol; import tango.io.Buffer; version(Tango_0_99_7) import tango.io.FileConduit, tango.io.Conduit; else import tango.io.device.FileConduit, tango.io.device.Conduit; import tango.core.Traits; debug import tango.util.log.Log; debug { static Logger log; static this() { log = Log.lookup("sendero.util.Serialization"); } } bool loadFromFile(T)(inout T t, char[] filename) { try { FileConduit.Style style; style.access = FileConduit.Access.Read; style.open = FileConduit.Open.Exists; style.share = FileConduit.Share.Read; auto infile = new FileConduit(filename, style); if(!infile) return false; auto deserializer = new SimpleBinaryInArchiver(infile); deserializer (t); infile.close; return true; } catch(Exception ex) { debug log.error("While loading file {}, caught exception: {}", filename, ex.toString); debug if(ex.info !is null) log.error("Stacktrace:{}", ex.info.toString); return false; } } bool saveToFile(T)(T t, char[] filename) { try { auto outfile = new FileConduit(filename, FileConduit.WriteCreate); if(!outfile) return false; auto serializer = new SimpleBinaryOutArchiver(outfile); serializer (t); serializer.flush; outfile.flush; outfile.close; return true; } catch(Exception ex) { debug log.error("While saving file {}, caught exception: {}", filename, ex.toString); debug if(ex.info !is null) log.error("Stacktrace:{}", ex.info.toString); return false; } } interface IHandler { Object construct(); void handle(Object o, SimpleBinaryInArchiver ar, byte ver); void handle(Object o, SimpleBinaryOutArchiver ar, byte ver); } /** * * Each class that is to be serialized should define the following templated public method: * * --- * void serialize(Ar)(Ar ar, byte ver) * { * ar (a) (b) (c); * } * --- * * where a, b, and c are data members to be serialized. * * Serialization of polymorphic classes and interfaces: * Each polymorphic class that is to be serialized should register itself in its static constructor * as follows: * * --- * static this() * { * Serialization.register!(T)(); * } * --- * * Where T is the identifier of the class. * * The following method should also be defined for each class in the class hierarchy and should return * a unique string representing this class (the .mangleof property is a good choice for this value): * * --- * char[] classid(); * --- * * The serialization method will then need to call the parent class's serialization method. * --- * void serialize(Ar)(Ar ar, byte ver) * { * super.serialize(ar, ver); * } * --- * * */ class Serialization { static void register(T)() { scope t = new T; auto name = t.classid; handlers[name] = new Handler!(T); } static Object construct(char[] name) { auto ctr = name in handlers; if(!ctr) return null; return (*ctr).construct; } private static class Handler(T) : IHandler { Object construct() { return new T;} void handle(Object o, SimpleBinaryOutArchiver ar, byte ver) { h (o, ar, ver); } void handle(Object o, SimpleBinaryInArchiver ar, byte ver) { h (o, ar, ver); } void h(Ar)(Object o, Ar ar, byte ver) { T t = cast(T)o; t.serialize(ar, ver); } } private static IHandler[char[]] handlers; } template isHandledType(T) { const bool isHandledType = isIntegerType!(T) || isRealType!(T) || isCharType!(T) || is(T == bool); } template isWritableAndReadable(T) { const bool isWritableAndReadable = is(T:IWritable) && is(T:IReadable); } class ArchiveException : Exception { this(char[] msg) { super(msg); } } class SerializationException : Exception { this(char[] msg) { super(msg); } } class SimpleBinaryOutArchiver { alias put opCall; this(IProtocol protocol) { writer = new Writer(protocol); init; } this(OutputStream stream) { writer = new Writer(stream); init; } this(IWriter writer) { this.writer = writer; init; } private void init() { version(LittleEndian) { ubyte endianMarker = 0; writer(endianMarker); } version(BigEndian) { ubyte endianMarker = 1; writer(endianMarker); } ubyte versionMarker = 0; writer(versionMarker); } private IWriter writer; private uint[void*] ptrs; ushort[char[]] registeredClasses; SimpleBinaryOutArchiver put(T)(T t, char[] name = null) { static if(isHandledType!(T)) { writer (t); } else static if(is(T == class) || ( is(T == interface) && is(typeof(T.classid)) ) ) { uint* ptrIdx = (cast(void*)t in ptrs); if(ptrIdx) { byte tag = -1; writer(tag); writer(*ptrIdx); return this; } static if(is(typeof(t.classid))) { byte v = 0; static if(is(typeof(t.classVersion))) { v = t.classVersion; } auto clsName = t.classid; auto pID = (clsName in registeredClasses); if(pID) { byte tag = -3; writer(tag); writer(*pID); } else { byte tag = -2; writer(tag); writer(clsName); writer(v); ushort id = registeredClasses.length; registeredClasses[clsName] = id; } uint i = ptrs.length; ptrs[cast(void*)t] = i; auto handler = (clsName in Serialization.handlers); if(!handler) throw new SerializationException("Derived class " ~ clsName ~ " not registered via Serialization.register(T)()"); (*handler).handle(t, this, v); } else { byte v = 0; static if(is(typeof(t.classVersion))) { v = t.classVersion; } writer(v); uint i = ptrs.length; ptrs[cast(void*)t] = i; t.serialize(this, v); } } else static if(is(T == struct)) { byte v = 0; static if(is(typeof(t.classVersion))) { v = t.classVersion; } writer(v); t.serialize(this, v); } else static if(isAssocArrayType!(T)) { uint len = t.length; writer(len); foreach(k, v; t) { put (k); put (v); } } else static if(isDynamicArrayType!(T)) { static if(isHandledType!(typeof(T.init[0]))) { writer(t); } else { uint len = t.length; writer(len); foreach(x; t) { put(x); } } } else static if(isComplexType!(T)) { writer (t.re) (t.im); } else static if(isPointerType!(T)) { static if(is(T == class) || is(T == interface)) { assert(false, "Serialization of class pointers not supported in this version, type " ~ T.stringof ~ "*"); //put (*t); //return this; } uint* ptrIdx = (cast(void*)t in ptrs); if(ptrIdx) { byte tag = -1; writer(tag); writer(*ptrIdx); return this; } byte tag = 0; writer(tag); put(*t); uint i = ptrs.length; ptrs[cast(void*)t] = i; } else assert(false, "Unhandled serialization type " ~ T.stringof); return this; } bool loading() {return false;} void flush() { writer.flush; } } class SimpleBinaryInArchiver { alias get opCall; private IReader reader; version(LittleEndian) { const ubyte oppositeEndiannessMarker = 1; } version(BigEndian) { const ubyte oppositeEndiannessMarker = 0; } this (IProtocol protocol) { reader = new Reader(protocol); ubyte endianMarker; reader(endianMarker); if(endianMarker == oppositeEndiannessMarker) { auto endian = new EndianProtocol(protocol.buffer); reader = new Reader(endian); } init; } this (InputStream inputStream) { reader = new Reader(inputStream); ubyte endianMarker; reader(endianMarker); if(endianMarker == oppositeEndiannessMarker) { void[] data; auto buffer = cast(IBuffer) inputStream; if(!buffer) { uint len = inputStream.read(data); buffer = new Buffer(data); } auto endian = new EndianProtocol(buffer); reader = new Reader(endian); } init; } private ubyte versionMarker; private void init() { reader(versionMarker); } private void*[] ptrs; private static struct ClassRegistration { char[] name; byte ver; } private ClassRegistration[ushort] registeredClasses; void getPtr(T)(inout T* t) { static if(is(T == class) || is(T == interface)) { assert(false, "Serialization of class pointers not supported in this version, type " ~ T.stringof ~ "*"); /* T x; get (x); t = cast(T*)x; return;*/ } byte tag; reader(tag); if(tag == -1) { uint ptrIdx; reader(ptrIdx); if(ptrIdx >= ptrs.length) t = null; else t = cast(T*)ptrs[ptrIdx]; return; } t = new T; get (*t); ptrs ~= cast(void*) t; } SimpleBinaryInArchiver get(T)(inout T t, char[] name = null) { static if(isHandledType!(T)) { reader(t); } else static if(is(T == class) || ( is(T == interface) && is(typeof(T.classid)) ) ) { byte tag, v; reader(tag); if(tag == -1) { uint ptrIdx; reader(ptrIdx); if(ptrIdx >= ptrs.length) t = null; else t = cast(T)ptrs[ptrIdx]; return this; } static if(is(typeof(t.classid))) { char[] clsName; SimpleBinaryInArchiver handle() { auto handler = (clsName in Serialization.handlers); if(!handler) throw new ArchiveException("Derived class " ~ clsName ~ " not registered via Serialization.register(T)()"); t = cast(T)(*handler).construct; (*handler).handle(t, this, v); ptrs ~= cast(void*) t; return this; } if(tag == -2) { reader(clsName); reader(v); ushort id = registeredClasses.length; ClassRegistration reg; reg.name = clsName; reg.ver = v; registeredClasses[id] = reg; return handle; } else if(tag == -3) { ushort id; reader(id); auto reg = (id in registeredClasses); if(!reg) throw new ArchiveException("Referenced class not registered in archive"); clsName = (*reg).name; v = (*reg).ver; return handle; } else { v = tag; } } t = new T; ptrs ~= cast(void*) t; t.serialize(this, v); return this; } else static if(is(T == struct)) { byte v; reader (v); t.serialize(this, v); } else static if(isAssocArrayType!(T)) { uint len; reader (len); for(uint i = 0; i < len; ++i) { typeof(t.keys[0]) k; get (k); typeof(t.values[0]) v; get (v); t[k] = v; } } else static if(isDynamicArrayType!(T)) { static if(isHandledType!(typeof(T.init[0]))) { reader(t); } else { uint len; reader(len); t.length = len; for(uint i = 0; i < len; ++i) { get(t[i]); } } } else static if(isComplexType!(T)) { reader (t.re) (t.im); } else static if(isPointerType!(T)) { getPtr(t); } else assert(false, "Unhandled serialization type " ~ T.stringof); return this; } bool loading() {return true;} } version(Unittest) { import tango.io.Buffer; class TestA { ubyte a; uint b; int c; double d; char[] e; TestB f; char[][char[]] g; TestB[] h; TestB i; int[] j; int* k; void serialize(Ar)(Ar ar, byte ver) { ar (a) (b) (c) (d) (e) (f) (g) (h) (i) (j) (k); } } class TestB { static this() { Serialization.register!(TestB)(); } float x; char[] classid() {return this.mangleof;} void serialize(Ar)(Ar ar, byte ver) { ar (x); } } class TestC : TestB { static this() { Serialization.register!(TestC)(); } char[] classid() {return this.mangleof;} double z; void serialize(Ar)(Ar ar, byte ver) { super.serialize(ar, ver); ar (z); } } unittest { auto a = new TestA; a.a = 5; a.b = 7; a.c = -14; a.d = 3.14159; a.e = "hello world"; a.f = new TestB; a.f.x = 7.379; a.g["hello"] = "world"; a.h.length = 1; a.h[0] = a.f; a.i = a.f; a.j.length = 2; a.j[0] = 5; a.j[1] = 6; a.k = new int; *(a.k) = 4; auto buf = new Buffer(256); auto sboa = new SimpleBinaryOutArchiver(buf); sboa (a); auto sbia = new SimpleBinaryInArchiver(buf); TestA aCopy; sbia (aCopy); assert(a.a == aCopy.a); assert(a.b == aCopy.b); assert(a.c == aCopy.c); assert(a.d == aCopy.d); assert(a.e == aCopy.e); assert(a.f.x == aCopy.f.x); assert(a.g["hello"] == aCopy.g["hello"]); assert(aCopy.h.length == 1); assert(aCopy.h[0]); assert(aCopy.f.x == aCopy.h[0].x); assert(aCopy.f == aCopy.h[0]); assert(cast(void*)aCopy.f == cast(void*)aCopy.i); assert(a.j[0] == aCopy.j[0]); assert(a.j[1] == aCopy.j[1]); assert(*(a.k) == *(aCopy.k)); auto c = new TestC; TestB b = c; c.x = 3.4197; c.z = 4.7684; auto buf2 = new Buffer(256); sboa = new SimpleBinaryOutArchiver(buf2); sboa (b); sbia = new SimpleBinaryInArchiver(buf2); TestB bCopy; sbia(bCopy); TestC cCopy = cast(TestC)bCopy; assert(cCopy.x == c.x); assert(cCopy.z == c.z); } }
D
void main(in string[] args) { import std.stdio, std.conv, std.range, std.algorithm, std.exception; immutable n = args.length == 2 ? args[1].to!uint : 5; enforce(n > 0 && n % 2 == 1, "Only odd n > 1"); immutable len = text(n ^^ 2).length.text; // writeln(len); foreach (immutable r; 1 .. n + 1) { foreach (immutable c; 1 .. n + 1) { auto a = (n * ((r + c - 1 + (n / 2)) % n)) + ((r + (2 * c) - 2) % n) + 1; // n(( I + J - 1 + ( n / 2 ) ) mod n ) + (( I + 2J - 2 ) mod n ) + 1 // writeln("n = ",n, " r = ",r," c = ",c, " a = ",a ); writef("%" ~ len ~ "d%s",a, " "); } writeln(""); } ; writeln("\nMagic constant: ", ((n * n + 1) * n) / 2); }}
D
module UnrealScript.TribesGame.TrTeamBlockerStaticMeshActor; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.MaterialInstanceConstant; import UnrealScript.TribesGame.TrPawn; import UnrealScript.Engine.StaticMeshActor; import UnrealScript.Engine.Material; extern(C++) interface TrTeamBlockerStaticMeshActor : StaticMeshActor { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrTeamBlockerStaticMeshActor")); } private static __gshared TrTeamBlockerStaticMeshActor mDefaultProperties; @property final static TrTeamBlockerStaticMeshActor DefaultProperties() { mixin(MGDPC("TrTeamBlockerStaticMeshActor", "TrTeamBlockerStaticMeshActor TribesGame.Default__TrTeamBlockerStaticMeshActor")); } static struct Functions { private static __gshared { ScriptFunction mPostBeginPlay; ScriptFunction mDisableBlocking; ScriptFunction mEnableBlocking; ScriptFunction mUpdateMaterialForPawn; ScriptFunction mCreateMICs; } public @property static final { ScriptFunction PostBeginPlay() { mixin(MGF("mPostBeginPlay", "Function TribesGame.TrTeamBlockerStaticMeshActor.PostBeginPlay")); } ScriptFunction DisableBlocking() { mixin(MGF("mDisableBlocking", "Function TribesGame.TrTeamBlockerStaticMeshActor.DisableBlocking")); } ScriptFunction EnableBlocking() { mixin(MGF("mEnableBlocking", "Function TribesGame.TrTeamBlockerStaticMeshActor.EnableBlocking")); } ScriptFunction UpdateMaterialForPawn() { mixin(MGF("mUpdateMaterialForPawn", "Function TribesGame.TrTeamBlockerStaticMeshActor.UpdateMaterialForPawn")); } ScriptFunction CreateMICs() { mixin(MGF("mCreateMICs", "Function TribesGame.TrTeamBlockerStaticMeshActor.CreateMICs")); } } } @property final { auto ref { ScriptArray!(MaterialInstanceConstant) m_MICs() { mixin(MGPC("ScriptArray!(MaterialInstanceConstant)", 492)); } Material m_BaseMaterial() { mixin(MGPC("Material", 504)); } ubyte m_DefenderTeamIndex() { mixin(MGPC("ubyte", 484)); } } bool m_bDisableBlockingOnSiegePhase0Ends() { mixin(MGBPC(488, 0x1)); } bool m_bDisableBlockingOnSiegePhase0Ends(bool val) { mixin(MSBPC(488, 0x1)); } } final: void PostBeginPlay() { (cast(ScriptObject)this).ProcessEvent(Functions.PostBeginPlay, cast(void*)0, cast(void*)0); } void DisableBlocking() { (cast(ScriptObject)this).ProcessEvent(Functions.DisableBlocking, cast(void*)0, cast(void*)0); } void EnableBlocking() { (cast(ScriptObject)this).ProcessEvent(Functions.EnableBlocking, cast(void*)0, cast(void*)0); } void UpdateMaterialForPawn(TrPawn P) { ubyte params[4]; params[] = 0; *cast(TrPawn*)params.ptr = P; (cast(ScriptObject)this).ProcessEvent(Functions.UpdateMaterialForPawn, params.ptr, cast(void*)0); } void CreateMICs() { (cast(ScriptObject)this).ProcessEvent(Functions.CreateMICs, cast(void*)0, cast(void*)0); } }
D
# FIXED F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/source/F2837xS_Spi.c F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_device.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/assert.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/linkage.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdarg.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdbool.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stddef.h F2837xS_Spi.obj: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdint.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_adc.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_analogsubsys.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cla.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cmpss.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cputimer.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dac.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dcsm.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dma.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_defaultisr.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_ecap.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_emif.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_epwm.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_epwm_xbar.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_eqep.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_flash.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_gpio.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_i2c.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_input_xbar.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_mcbsp.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_memconfig.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_nmiintrupt.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_output_xbar.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_piectrl.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_pievect.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sci.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sdfm.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_spi.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sysctrl.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_trig_xbar.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_upp.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_xbar.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_xint.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Examples.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_GlobalPrototypes.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_cputimervars.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Cla_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_EPwm_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Adc_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Emif_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Gpio_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_I2c_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Pie_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Dma_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_SysCtrl_defines.h F2837xS_Spi.obj: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Upp_defines.h C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/source/F2837xS_Spi.c: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_device.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/assert.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/linkage.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdarg.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdbool.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stddef.h: C:/CCStudio_v8/ccsv8/tools/compiler/ti-cgt-c2000_17.6.0.STS/include/stdint.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_adc.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_analogsubsys.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cla.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cmpss.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_cputimer.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dac.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dcsm.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_dma.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_defaultisr.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_ecap.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_emif.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_epwm.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_epwm_xbar.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_eqep.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_flash.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_gpio.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_i2c.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_input_xbar.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_mcbsp.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_memconfig.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_nmiintrupt.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_output_xbar.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_piectrl.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_pievect.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sci.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sdfm.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_spi.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_sysctrl.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_trig_xbar.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_upp.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_xbar.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_headers/include/F2837xS_xint.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Examples.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_GlobalPrototypes.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_cputimervars.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Cla_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_EPwm_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Adc_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Emif_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Gpio_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_I2c_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Pie_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Dma_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_SysCtrl_defines.h: C:/ayush2/repo/trunk/Cheapli_SE420_cpu2/v140/F2837xS_common/include/F2837xS_Upp_defines.h:
D
import objectivegl; import bindingpoints; struct SimpleVertex { @element("pos") float[2] pos; } struct ColorVertex { @element("pos") float[2] pos; @element("color_v") float[4] color; } struct TexturedVertex { @element("pos") float[2] pos; @element("uv") float[2] uv; } struct UniformColorData { float[4] commonColor; } // Readonly Export private string Readonly(string name) { import std.string : format; return format(q{ private static ShaderProgram %1$s_; public static @property %1$s() { return this.%1$s_; } private static @property %1$s(ShaderProgram p) { this.%1$s_ = p; } }, name); } // object ShaderStock final static class ShaderStock { mixin(Readonly("vertUnscaled")); mixin(Readonly("vertUnscaledColor")); mixin(Readonly("barLines")); mixin(Readonly("charRender")); mixin(Readonly("inputBoxRender")); mixin(Readonly("placeholderRender")); mixin(Readonly("rawVertices")); mixin(Readonly("pixelScaled")); public static void init() { // Vertices alias VertexShader = CompiledShader!Vertex; auto vertUnscaledShaderV = VertexShader.fromImportedSource!"vertUnscaled.glsl"; auto vertUnscaledColorShaderV = VertexShader.fromImportedSource!"vertUnscaledColor.glsl"; auto barLinesShaderV = VertexShader.fromImportedSource!"barLines.glsl"; auto inputBoxShaderV = VertexShader.fromImportedSource!"inputBoxVS.glsl"; auto placeholderShaderV = VertexShader.fromImportedSource!"placeholderVS.glsl"; auto texturedShaderV = VertexShader.fromImportedSource!"textured.glsl"; auto rawVerticesShaderV = VertexShader.fromImportedSource!"rawVertices.glsl"; auto pixelScaledShaderV = VertexShader.fromImportedSource!"pixelScaled.glsl"; // Fragments alias FragmentShader = CompiledShader!Fragment; auto colorizeShaderF = FragmentShader.fromSource!(ShaderType.Fragment, import("colorize.glsl")); auto graytextureColorizeShaderF = FragmentShader.fromSource!(ShaderType.Fragment, import("graytexture_colorize.glsl")); // Linked Shaders this.vertUnscaled = ShaderProgram.fromShaders!(SimpleVertex, vertUnscaledShaderV, colorizeShaderF); this.vertUnscaledColor = ShaderProgram.fromShaders!(ColorVertex, vertUnscaledColorShaderV, colorizeShaderF); this.barLines = ShaderProgram.fromShaders!(SimpleVertex, barLinesShaderV, colorizeShaderF); this.charRender = ShaderProgram.fromShaders!(TexturedVertex, texturedShaderV, graytextureColorizeShaderF); this.inputBoxRender = ShaderProgram.fromShaders!(SimpleVertex, inputBoxShaderV, colorizeShaderF); this.placeholderRender = ShaderProgram.fromShaders!(TexturedVertex, placeholderShaderV, graytextureColorizeShaderF); this.rawVertices = ShaderProgram.fromShaders!(SimpleVertex, rawVerticesShaderV, colorizeShaderF); this.pixelScaled = ShaderProgram.fromShaders!(SimpleVertex, pixelScaledShaderV, colorizeShaderF); // Block Binding foreach(x; [this.vertUnscaled, this.barLines, this.charRender, this.inputBoxRender, this.placeholderRender]) { x.uniformBlocks.Viewport = UniformBindingPoints.Viewport; x.uniformBlocks.ColorData = UniformBindingPoints.ColorData; } this.vertUnscaledColor.uniformBlocks.Viewport = UniformBindingPoints.Viewport; foreach(x; [this.inputBoxRender, this.placeholderRender]) { x.uniformBlocks.InstanceTranslationArray = UniformBindingPoints.InstanceTranslationArray; } this.rawVertices.uniformBlocks.ColorData = UniformBindingPoints.ColorData; } }
D
/******************************************************************************* DMQ shared resource manager. Handles acquiring / relinquishing of global resources by active request handlers. Copyright: Copyright (c) 2012-2017 sociomantic labs GmbH. All rights reserved. License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dmqproto.client.legacy.internal.connection.SharedResources; /******************************************************************************* Imports Imports which are required by the DmqConnectionResources struct, below, are imported publicly, as they are also needed in dmqproto.client.legacy.internal.request.model.IDmqRequestResources (which imports this module). This is done to simplify the process of modifying the fields of DmqConnectionResources -- forgetting to import something into both modules is a common source of very confusing compile errors. *******************************************************************************/ import swarm.common.connection.ISharedResources; public import ocean.io.select.client.FiberSelectEvent; public import swarm.common.request.helper.LoopCeder; public import dmqproto.client.legacy.internal.request.helper.ValueProducer; public import swarm.client.request.helper.RequestSuspender; public import swarm.protocol.StringListReader; import dmqproto.client.legacy.internal.DmqClientExceptions : AllNodesFailedException; import ocean.transition; /******************************************************************************* Struct whose fields define the set of shared resources which can be acquired by a request. Each request can acquire a single instance of each field. *******************************************************************************/ public struct DmqConnectionResources { mstring channel_buffer; mstring value_buffer; mstring address_buffer; StringListReader string_list_reader; FiberSelectEvent event; LoopCeder loop_ceder; ValueProducer value_producer; RequestSuspender request_suspender; } /******************************************************************************* Mix in a class called SharedResources which contains a free list for each of the fields of DmqConnectionResources. The free lists are used by individual requests to acquire and relinquish resources required for handling. *******************************************************************************/ mixin SharedResources_T!(DmqConnectionResources);
D
module hunt.redis; import hunt.redis.util.SafeEncoder; public enum GeoUnit { M, KM, MI, FT; public final byte[] raw; GeoUnit() { raw = SafeEncoder.encode(this.name().toLowerCase()); } }
D
// Copyright Michael D. Parker 2018. // 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.lua.v51.bindstatic; version(BindBC_Static) version = BindLua_Static; version(BindLua_Static) { version(LUA_51) version = LUA_51_STATIC; } version(LUA_51_STATIC): import core.stdc.stdarg : va_list; import bindbc.lua.v51.types; extern(C) @nogc nothrow: // lauxlib.h void luaI_openlib(lua_State*,const(char)*,const(luaL_Reg)*,int); void luaL_register(lua_State*,const(char)*,const(luaL_Reg)*); int luaL_getmetafield(lua_State*,int,const(char)*); int luaL_callmeta(lua_State*, int,const(char)*); int luaL_typerror(lua_State*,int,const(char)*); int luaL_argerror(lua_State*,int,const(char)*); const(char)* luaL_checklstring(lua_State*,int,size_t*); const(char)* luaL_optlstring(lua_State*,int,const(char)*,size_t*); lua_Number luaL_checknumber(lua_State*,int); lua_Number luaL_optnumber(lua_State*,int,lua_Number); lua_Integer luaL_checkinteger(lua_State*,int); lua_Integer luaL_optinteger(lua_State*,int,lua_Integer); void luaL_checkstack(lua_State*,int,const(char)*); void luaL_checktype(lua_State*,int,int); void luaL_checkany(lua_State*,int); int luaL_newmetatable(lua_State*,const(char)*); void* luaL_checkudata(lua_State*,int,const(char)*); void luaL_where(lua_State*,int); int luaL_error(lua_State*,const(char)*,...); int luaL_checkoption(lua_State*,int,const(char)*); int luaL_ref(lua_State*,int); void luaL_unref(lua_State*,int,int); int luaL_loadfile(lua_State*,const(char)*); int luaL_loadbuffer(lua_State*,const(char)*,size_t,const(char)*); int luaL_loadstring(lua_State*,const(char)*); lua_State* luaL_newstate(); const(char)* luaL_gsub(lua_State*,const(char)*,const(char)*,const(char)*); const(char)* luaL_findtable(lua_State*,int,const(char)*,int); void luaL_buffinit(lua_State*,luaL_Buffer*); char* luaL_prepbuffer(luaL_Buffer*); void luaL_addlstring(luaL_Buffer*,const(char)*,size_t); void luaL_addstring(luaL_Buffer*, const(char)*); void luaL_addvalue(luaL_Buffer*); void luaL_pushresult(luaL_Buffer*); // lua.h lua_State* lua_newstate(lua_Alloc,void*); lua_State* lua_close(lua_State*); lua_State* lua_newthread(lua_State*); lua_CFunction lua_atpanic(lua_State*,lua_CFunction); int lua_gettop(lua_State*); void lua_settop(lua_State*,int); void lua_pushvalue(lua_State*,int); void lua_remove(lua_State*,int); void lua_insert(lua_State*,int); void lua_replace(lua_State*,int); int lua_checkstack(lua_State*,int); void lua_xmove(lua_State*,lua_State*,int); int lua_isnumber(lua_State*,int); int lua_isstring(lua_State*,int); int lua_iscfunction(lua_State*,int); int lua_isuserdata(lua_State*,int); int lua_type(lua_State*,int); const(char)* lua_typename(lua_State*,int); int lua_equal(lua_State*,int,int); int lua_rawequal(lua_State*,int,int); int lua_lessthan(lua_State*,int,int); lua_Number lua_tonumber(lua_State*,int); lua_Integer lua_tointeger(lua_State*,int); int lua_toboolean(lua_State*,int); const(char)* lua_tolstring(lua_State*,int,size_t*); size_t lua_objlen(lua_State*,int); lua_CFunction lua_tocfunction(lua_State*,int); void* lua_touserdata(lua_State*,int); lua_State* lua_tothread(lua_State*,int); const(void)* lua_topointer(lua_State*,int); void lua_pushnil(lua_State*); void lua_pushnumber(lua_State*,lua_Number); void lua_pushinteger(lua_State*,lua_Integer); void lua_pushlstring(lua_State*,const(char)*,size_t); void lua_pushstring(lua_State*,const(char)*); const(char)* lua_pushvfstring(lua_State*,const(char)*,va_list); const(char)* lua_pushfstring(lua_State*,const(char)*,...); void lua_pushcclosure(lua_State*,lua_CFunction,int); void lua_pushboolean(lua_State*,int); void lua_pushlightuserdata(lua_State*,void*); int lua_pushthread(lua_State*); void lua_gettable(lua_State*,int); void lua_getfield(lua_State*,int,const(char)*); void lua_rawget(lua_State*,int); void lua_rawgeti(lua_State*,int,int); void lua_createtable(lua_State*,int,int); void* lua_newuserdata(lua_State*,size_t); int lua_getmetatable(lua_State*,int); void lua_getfenv(lua_State*,int); void lua_settable(lua_State*,int); void lua_setfield(lua_State*,int,const(char)*); void lua_rawset(lua_State*,int); void lua_rawseti(lua_State*,int,int); int lua_setmetatable(lua_State*,int); int lua_setfenv(lua_State*,int); void lua_call(lua_State*,int,int); int lua_pcall(lua_State*,int,int,int); int lua_cpcall(lua_State*,lua_CFunction,void*); int lua_load(lua_State*,lua_Reader,void*,const(char)*); int lua_dump(lua_State*,lua_Writer,void*); int lua_yield(lua_State*,int); int lua_resume(lua_State*,int); int lua_status(lua_State*); int lua_gc(lua_State*,int,int); int lua_error(lua_State*); int lua_next(lua_State*,int); void lua_concat(lua_State*,int); lua_Alloc lua_getallocf(lua_State*,void**); void lua_setallocf(lua_State*,lua_Alloc,void*); void lua_setlevel(lua_State*, lua_State*); int lua_getstack(lua_State*,lua_Debug*); int lua_getinfo(lua_State*,const(char)*,lua_Debug*); const(char)* lua_getlocal(lua_State*,const(lua_Debug)*,int); const(char)* lua_setlocal(lua_State*,const(lua_Debug)*,int); const(char)* lua_getupvalue(lua_State*,int,int); const(char)* lua_setupvalue(lua_State*,int,int); int lua_sethook(lua_State*,lua_Hook,int,int); lua_Hook lua_gethook(lua_State*); int lua_gethookmask(lua_State*); int lua_gethookcount(lua_State*); // lualib.h int luaopen_base(lua_State*); int luaopen_table(lua_State*); int luaopen_io(lua_State*); int luaopen_os(lua_State*); int luaopen_string(lua_State*); int luaopen_math(lua_State*); int luaopen_debug(lua_State*); int luaopen_package(lua_State*); void luaL_openlibs(lua_State*);
D
/home/gbutler/snap/exercism/5/exercism/rust/xorcism/target/debug/deps/xorcism-aa7333f16151ec1d.rmeta: src/lib.rs /home/gbutler/snap/exercism/5/exercism/rust/xorcism/target/debug/deps/xorcism-aa7333f16151ec1d.d: src/lib.rs src/lib.rs:
D