├── .buckconfig ├── .editorconfig ├── .eslintrc.js ├── .flowconfig ├── .gitattributes ├── .gitignore ├── .prettierrc.js ├── .watchmanconfig ├── App.tsx ├── __tests__ └── App-test.js ├── android ├── app │ ├── _BUCK │ ├── build.gradle │ ├── build_defs.bzl │ ├── proguard-rules.pro │ └── src │ │ ├── debug │ │ └── AndroidManifest.xml │ │ └── main │ │ ├── AndroidManifest.xml │ │ ├── assets │ │ └── fonts │ │ │ ├── AntDesign.ttf │ │ │ ├── Entypo.ttf │ │ │ ├── EvilIcons.ttf │ │ │ ├── Feather.ttf │ │ │ ├── FontAwesome.ttf │ │ │ ├── FontAwesome5_Brands.ttf │ │ │ ├── FontAwesome5_Regular.ttf │ │ │ ├── FontAwesome5_Solid.ttf │ │ │ ├── Fontisto.ttf │ │ │ ├── Foundation.ttf │ │ │ ├── Ionicons.ttf │ │ │ ├── MaterialCommunityIcons.ttf │ │ │ ├── MaterialIcons.ttf │ │ │ ├── Octicons.ttf │ │ │ ├── SimpleLineIcons.ttf │ │ │ └── Zocial.ttf │ │ ├── java │ │ └── com │ │ │ └── workshopapp │ │ │ ├── MainActivity.java │ │ │ └── MainApplication.java │ │ └── res │ │ ├── mipmap-hdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-mdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xxhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xxxhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ └── values │ │ ├── strings.xml │ │ └── styles.xml ├── build.gradle ├── gradle.properties ├── gradle │ └── wrapper │ │ ├── gradle-wrapper.jar │ │ └── gradle-wrapper.properties ├── gradlew ├── gradlew.bat └── settings.gradle ├── app.json ├── assets ├── auth.png ├── config.png ├── crashlytics.png ├── fiam.png ├── firestore.png ├── rn-firebase.png └── storage.png ├── babel.config.js ├── firebase.json ├── index.js ├── ios ├── Podfile ├── Podfile.lock ├── WorkshopApp-tvOS │ └── Info.plist ├── WorkshopApp-tvOSTests │ └── Info.plist ├── WorkshopApp.xcodeproj │ ├── project.pbxproj │ └── xcshareddata │ │ └── xcschemes │ │ ├── WorkshopApp-tvOS.xcscheme │ │ └── WorkshopApp.xcscheme ├── WorkshopApp.xcworkspace │ ├── contents.xcworkspacedata │ └── xcshareddata │ │ └── IDEWorkspaceChecks.plist ├── WorkshopApp │ ├── AppDelegate.h │ ├── AppDelegate.m │ ├── Base.lproj │ │ └── LaunchScreen.xib │ ├── Images.xcassets │ │ ├── AppIcon.appiconset │ │ │ └── Contents.json │ │ └── Contents.json │ ├── Info.plist │ └── main.m └── WorkshopAppTests │ ├── Info.plist │ └── WorkshopAppTests.m ├── metro.config.js ├── package.json ├── patches └── .gitkeep ├── scripts └── movies.js ├── src ├── Auth.tsx ├── Config.tsx ├── Crashlytics.tsx ├── Fiam.tsx ├── Firestore.tsx ├── Home.tsx └── Storage.tsx ├── tsconfig.json └── yarn.lock /.buckconfig: -------------------------------------------------------------------------------- 1 | 2 | [android] 3 | target = Google Inc.:Google APIs:23 4 | 5 | [maven_repositories] 6 | central = https://repo1.maven.org/maven2 7 | -------------------------------------------------------------------------------- /.editorconfig: -------------------------------------------------------------------------------- 1 | # editorconfig 2 | root = true 3 | 4 | [*] 5 | indent_style = space 6 | indent_size = 2 7 | end_of_line = lf 8 | charset = utf-8 9 | trim_trailing_whitespace = true 10 | insert_final_newline = true 11 | -------------------------------------------------------------------------------- /.eslintrc.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | root: true, 3 | extends: '@react-native-community', 4 | rules: { 5 | 'react-hooks/exhaustive-deps': 0, 6 | }, 7 | }; 8 | -------------------------------------------------------------------------------- /.flowconfig: -------------------------------------------------------------------------------- 1 | Skip to content 2 | 3 | Search or jump to… 4 | 5 | Pull requests 6 | Issues 7 | Trending 8 | Explore 9 | 10 | @Salakar 11 | 247,864 12 | 79,433 facebook/react-native 13 | forked to Salakar/react-native 14 | forked to invertase/react-native 15 | forked to react-native-firebase/react-native 16 | Code Issues 671 Pull requests 28 Wiki Releases 322 17 | react-native/template/_flowconfig 18 | @ide ide Migrate "Libraries" from Haste to standard path-based requires (sans … 19 | 0ee5f68 on 8 May 20 | @gabelevi @nmote @samwgoldman @dsainati1 @panagosg7 @charpeni @mroch @jbrown215 @kassens @ide @hramos @gkz @pakoito @cpojer @avikchaudhuri 21 | 100 lines (79 sloc) 3.16 KB 22 | 23 | [ignore] 24 | ; We fork some components by platform 25 | .*/*[.]android.js 26 | 27 | ; Ignore "BUCK" generated dirs 28 | /\.buckd/ 29 | 30 | ; Ignore unexpected extra "@providesModule" 31 | .*/node_modules/.*/node_modules/fbjs/.* 32 | 33 | ; Ignore duplicate module providers 34 | ; For RN Apps installed via npm, "Libraries" folder is inside 35 | ; "node_modules/react-native" but in the source repo it is in the root 36 | node_modules/react-native/Libraries/react-native/React.js 37 | 38 | ; Ignore polyfills 39 | node_modules/react-native/Libraries/polyfills/.* 40 | 41 | ; These should not be required directly 42 | ; require from fbjs/lib instead: require('fbjs/lib/warning') 43 | node_modules/warning/.* 44 | 45 | ; Flow doesn't support platforms 46 | .*/Libraries/Utilities/HMRLoadingView.js 47 | 48 | [untyped] 49 | .*/node_modules/@react-native-community/cli/.*/.* 50 | 51 | [include] 52 | 53 | [libs] 54 | node_modules/react-native/Libraries/react-native/react-native-interface.js 55 | node_modules/react-native/flow/ 56 | 57 | [options] 58 | emoji=true 59 | 60 | esproposal.optional_chaining=enable 61 | esproposal.nullish_coalescing=enable 62 | 63 | module.file_ext=.js 64 | module.file_ext=.json 65 | module.file_ext=.ios.js 66 | 67 | module.system=haste 68 | module.system.haste.use_name_reducers=true 69 | # get basename 70 | module.system.haste.name_reducers='^.*/\([a-zA-Z0-9$_.-]+\.js\(\.flow\)?\)$' -> '\1' 71 | # strip .js or .js.flow suffix 72 | module.system.haste.name_reducers='^\(.*\)\.js\(\.flow\)?$' -> '\1' 73 | # strip .ios suffix 74 | module.system.haste.name_reducers='^\(.*\)\.ios$' -> '\1' 75 | module.system.haste.name_reducers='^\(.*\)\.android$' -> '\1' 76 | module.system.haste.name_reducers='^\(.*\)\.native$' -> '\1' 77 | module.system.haste.paths.blacklist=.*/__tests__/.* 78 | module.system.haste.paths.blacklist=.*/__mocks__/.* 79 | module.system.haste.paths.whitelist=/node_modules/react-native/Libraries/.* 80 | module.system.haste.paths.whitelist=/node_modules/react-native/RNTester/.* 81 | module.system.haste.paths.whitelist=/node_modules/react-native/IntegrationTests/.* 82 | module.system.haste.paths.blacklist=/node_modules/react-native/Libraries/react-native/react-native-implementation.js 83 | module.system.haste.paths.blacklist=/node_modules/react-native/Libraries/Animated/src/polyfills/.* 84 | 85 | munge_underscores=true 86 | 87 | module.name_mapper='^[./a-zA-Z0-9$_-]+\.\(bmp\|gif\|jpg\|jpeg\|png\|psd\|svg\|webp\|m4v\|mov\|mp4\|mpeg\|mpg\|webm\|aac\|aiff\|caf\|m4a\|mp3\|wav\|html\|pdf\)$' -> 'RelativeImageStub' 88 | 89 | suppress_type=$FlowIssue 90 | suppress_type=$FlowFixMe 91 | suppress_type=$FlowFixMeProps 92 | suppress_type=$FlowFixMeState 93 | 94 | suppress_comment=\\(.\\|\n\\)*\\$FlowFixMe\\($\\|[^(]\\|(\\(\\)? *\\(site=[a-z,_]*react_native\\(_ios\\)?_\\(oss\\|fb\\)[a-z,_]*\\)?)\\) 95 | suppress_comment=\\(.\\|\n\\)*\\$FlowIssue\\((\\(\\)? *\\(site=[a-z,_]*react_native\\(_ios\\)?_\\(oss\\|fb\\)[a-z,_]*\\)?)\\)?:? #[0-9]+ 96 | suppress_comment=\\(.\\|\n\\)*\\$FlowExpectedError 97 | 98 | [lints] 99 | sketchy-null-number=warn 100 | sketchy-null-mixed=warn 101 | sketchy-number=warn 102 | untyped-type-import=warn 103 | nonstrict-import=warn 104 | deprecated-type=warn 105 | unsafe-getters-setters=warn 106 | inexact-spread=warn 107 | unnecessary-invariant=warn 108 | signature-verification-failure=warn 109 | deprecated-utility=error 110 | 111 | [strict] 112 | deprecated-type 113 | nonstrict-import 114 | sketchy-null 115 | unclear-type 116 | unsafe-getters-setters 117 | untyped-import 118 | untyped-type-import 119 | 120 | [version] 121 | ^0.98.0 122 | Terms 123 | Privacy 124 | Security 125 | Status 126 | Help 127 | Contact GitHub 128 | Pricing 129 | API 130 | Training 131 | Blog 132 | About 133 | -------------------------------------------------------------------------------- /.gitattributes: -------------------------------------------------------------------------------- 1 | *.pbxproj -text 2 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # OSX 2 | # 3 | .DS_Store 4 | 5 | # Xcode 6 | # 7 | build/ 8 | *.pbxuser 9 | !default.pbxuser 10 | *.mode1v3 11 | !default.mode1v3 12 | *.mode2v3 13 | !default.mode2v3 14 | *.perspectivev3 15 | !default.perspectivev3 16 | xcuserdata 17 | *.xccheckout 18 | *.moved-aside 19 | DerivedData 20 | *.hmap 21 | *.ipa 22 | *.xcuserstate 23 | project.xcworkspace 24 | 25 | # Android/IntelliJ 26 | # 27 | build/ 28 | .idea 29 | .gradle 30 | local.properties 31 | *.iml 32 | 33 | # node.js 34 | # 35 | node_modules/ 36 | npm-debug.log 37 | yarn-error.log 38 | 39 | # BUCK 40 | buck-out/ 41 | \.buckd/ 42 | *.keystore 43 | 44 | # fastlane 45 | # 46 | # It is recommended to not store the screenshots in the git repo. Instead, use fastlane to re-generate the 47 | # screenshots whenever they are needed. 48 | # For more information about the recommended setup visit: 49 | # https://docs.fastlane.tools/best-practices/source-control/ 50 | 51 | */fastlane/report.xml 52 | */fastlane/Preview.html 53 | */fastlane/screenshots 54 | 55 | # Bundle artifact 56 | *.jsbundle 57 | 58 | # CocoaPods 59 | /ios/Pods/ 60 | -------------------------------------------------------------------------------- /.prettierrc.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | bracketSpacing: false, 3 | jsxBracketSameLine: true, 4 | singleQuote: true, 5 | trailingComma: 'all', 6 | }; 7 | -------------------------------------------------------------------------------- /.watchmanconfig: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /App.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | 3 | import {NavigationNativeContainer} from '@react-navigation/native'; 4 | import {createStackNavigator} from '@react-navigation/stack'; 5 | import {Provider as PaperProvider} from 'react-native-paper'; 6 | 7 | // Screens 8 | import HomeScreen from './src/Home'; 9 | import FirestoreScreen from './src/Firestore'; 10 | import AuthScreen from './src/Auth'; 11 | import StorageScreen from './src/Storage'; 12 | import CrashlyticsScreen from './src/Crashlytics'; 13 | import FiamScreen from './src/Fiam'; 14 | import ConfigScreen from './src/Config'; 15 | 16 | const Stack = createStackNavigator(); 17 | 18 | function App() { 19 | return ( 20 | 21 | 22 | 29 | 34 | 39 | 44 | 49 | 54 | 59 | 64 | 65 | 66 | 67 | ); 68 | } 69 | 70 | export default App; 71 | -------------------------------------------------------------------------------- /__tests__/App-test.js: -------------------------------------------------------------------------------- 1 | /** 2 | * @format 3 | */ 4 | 5 | import 'react-native'; 6 | import React from 'react'; 7 | import App from '../App'; 8 | 9 | // Note: test renderer must be required after react-native. 10 | import renderer from 'react-test-renderer'; 11 | 12 | it('renders correctly', () => { 13 | renderer.create(); 14 | }); 15 | -------------------------------------------------------------------------------- /android/app/_BUCK: -------------------------------------------------------------------------------- 1 | # To learn about Buck see [Docs](https://buckbuild.com/). 2 | # To run your application with Buck: 3 | # - install Buck 4 | # - `npm start` - to start the packager 5 | # - `cd android` 6 | # - `keytool -genkey -v -keystore keystores/debug.keystore -storepass android -alias androiddebugkey -keypass android -dname "CN=Android Debug,O=Android,C=US"` 7 | # - `./gradlew :app:copyDownloadableDepsToLibs` - make all Gradle compile dependencies available to Buck 8 | # - `buck install -r android/app` - compile, install and run application 9 | # 10 | 11 | load(":build_defs.bzl", "create_aar_targets", "create_jar_targets") 12 | 13 | lib_deps = [] 14 | 15 | create_aar_targets(glob(["libs/*.aar"])) 16 | 17 | create_jar_targets(glob(["libs/*.jar"])) 18 | 19 | android_library( 20 | name = "all-libs", 21 | exported_deps = lib_deps, 22 | ) 23 | 24 | android_library( 25 | name = "app-code", 26 | srcs = glob([ 27 | "src/main/java/**/*.java", 28 | ]), 29 | deps = [ 30 | ":all-libs", 31 | ":build_config", 32 | ":res", 33 | ], 34 | ) 35 | 36 | android_build_config( 37 | name = "build_config", 38 | package = "com.workshopapp", 39 | ) 40 | 41 | android_resource( 42 | name = "res", 43 | package = "com.workshopapp", 44 | res = "src/main/res", 45 | ) 46 | 47 | android_binary( 48 | name = "app", 49 | keystore = "//android/keystores:debug", 50 | manifest = "src/main/AndroidManifest.xml", 51 | package_type = "debug", 52 | deps = [ 53 | ":app-code", 54 | ], 55 | ) 56 | -------------------------------------------------------------------------------- /android/app/build.gradle: -------------------------------------------------------------------------------- 1 | apply plugin: "com.android.application" 2 | 3 | import com.android.build.OutputFile 4 | 5 | /** 6 | * The react.gradle file registers a task for each build variant (e.g. bundleDebugJsAndAssets 7 | * and bundleReleaseJsAndAssets). 8 | * These basically call `react-native bundle` with the correct arguments during the Android build 9 | * cycle. By default, bundleDebugJsAndAssets is skipped, as in debug/dev mode we prefer to load the 10 | * bundle directly from the development server. Below you can see all the possible configurations 11 | * and their defaults. If you decide to add a configuration block, make sure to add it before the 12 | * `apply from: "../../node_modules/react-native/react.gradle"` line. 13 | * 14 | * project.ext.react = [ 15 | * // the name of the generated asset file containing your JS bundle 16 | * bundleAssetName: "index.android.bundle", 17 | * 18 | * // the entry file for bundle generation 19 | * entryFile: "index.android.js", 20 | * 21 | * // https://facebook.github.io/react-native/docs/performance#enable-the-ram-format 22 | * bundleCommand: "ram-bundle", 23 | * 24 | * // whether to bundle JS and assets in debug mode 25 | * bundleInDebug: false, 26 | * 27 | * // whether to bundle JS and assets in release mode 28 | * bundleInRelease: true, 29 | * 30 | * // whether to bundle JS and assets in another build variant (if configured). 31 | * // See http://tools.android.com/tech-docs/new-build-system/user-guide#TOC-Build-Variants 32 | * // The configuration property can be in the following formats 33 | * // 'bundleIn${productFlavor}${buildType}' 34 | * // 'bundleIn${buildType}' 35 | * // bundleInFreeDebug: true, 36 | * // bundleInPaidRelease: true, 37 | * // bundleInBeta: true, 38 | * 39 | * // whether to disable dev mode in custom build variants (by default only disabled in release) 40 | * // for example: to disable dev mode in the staging build type (if configured) 41 | * devDisabledInStaging: true, 42 | * // The configuration property can be in the following formats 43 | * // 'devDisabledIn${productFlavor}${buildType}' 44 | * // 'devDisabledIn${buildType}' 45 | * 46 | * // the root of your project, i.e. where "package.json" lives 47 | * root: "../../", 48 | * 49 | * // where to put the JS bundle asset in debug mode 50 | * jsBundleDirDebug: "$buildDir/intermediates/assets/debug", 51 | * 52 | * // where to put the JS bundle asset in release mode 53 | * jsBundleDirRelease: "$buildDir/intermediates/assets/release", 54 | * 55 | * // where to put drawable resources / React Native assets, e.g. the ones you use via 56 | * // require('./image.png')), in debug mode 57 | * resourcesDirDebug: "$buildDir/intermediates/res/merged/debug", 58 | * 59 | * // where to put drawable resources / React Native assets, e.g. the ones you use via 60 | * // require('./image.png')), in release mode 61 | * resourcesDirRelease: "$buildDir/intermediates/res/merged/release", 62 | * 63 | * // by default the gradle tasks are skipped if none of the JS files or assets change; this means 64 | * // that we don't look at files in android/ or ios/ to determine whether the tasks are up to 65 | * // date; if you have any other folders that you want to ignore for performance reasons (gradle 66 | * // indexes the entire tree), add them here. Alternatively, if you have JS files in android/ 67 | * // for example, you might want to remove it from here. 68 | * inputExcludes: ["android/**", "ios/**"], 69 | * 70 | * // override which node gets called and with what additional arguments 71 | * nodeExecutableAndArgs: ["node"], 72 | * 73 | * // supply additional arguments to the packager 74 | * extraPackagerArgs: [] 75 | * ] 76 | */ 77 | 78 | project.ext.react = [ 79 | entryFile: "index.js" 80 | ] 81 | 82 | apply from: "../../node_modules/react-native/react.gradle" 83 | 84 | /** 85 | * Set this to true to create two separate APKs instead of one: 86 | * - An APK that only works on ARM devices 87 | * - An APK that only works on x86 devices 88 | * The advantage is the size of the APK is reduced by about 4MB. 89 | * Upload all the APKs to the Play Store and people will download 90 | * the correct one based on the CPU architecture of their device. 91 | */ 92 | def enableSeparateBuildPerCPUArchitecture = false 93 | 94 | /** 95 | * Run Proguard to shrink the Java bytecode in release builds. 96 | */ 97 | def enableProguardInReleaseBuilds = false 98 | 99 | /** 100 | * Use international variant JavaScriptCore 101 | * International variant includes ICU i18n library and necessary data allowing to use 102 | * e.g. Date.toLocaleString and String.localeCompare that give correct results 103 | * when using with locales other than en-US. 104 | * Note that this variant is about 6MiB larger per architecture than default. 105 | */ 106 | def useIntlJsc = false 107 | 108 | android { 109 | compileSdkVersion rootProject.ext.compileSdkVersion 110 | 111 | compileOptions { 112 | sourceCompatibility JavaVersion.VERSION_1_8 113 | targetCompatibility JavaVersion.VERSION_1_8 114 | } 115 | 116 | defaultConfig { 117 | applicationId "com.workshopapp" 118 | minSdkVersion rootProject.ext.minSdkVersion 119 | targetSdkVersion rootProject.ext.targetSdkVersion 120 | versionCode 1 121 | versionName "1.0" 122 | } 123 | splits { 124 | abi { 125 | reset() 126 | enable enableSeparateBuildPerCPUArchitecture 127 | universalApk false // If true, also generate a universal APK 128 | include "armeabi-v7a", "x86", "arm64-v8a", "x86_64" 129 | } 130 | } 131 | signingConfigs { 132 | debug { 133 | storeFile file('debug.keystore') 134 | storePassword 'android' 135 | keyAlias 'androiddebugkey' 136 | keyPassword 'android' 137 | } 138 | } 139 | buildTypes { 140 | debug { 141 | signingConfig signingConfigs.debug 142 | } 143 | release { 144 | // Caution! In production, you need to generate your own keystore file. 145 | // see https://facebook.github.io/react-native/docs/signed-apk-android. 146 | signingConfig signingConfigs.debug 147 | minifyEnabled enableProguardInReleaseBuilds 148 | proguardFiles getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro" 149 | } 150 | } 151 | // applicationVariants are e.g. debug, release 152 | applicationVariants.all { variant -> 153 | variant.outputs.each { output -> 154 | // For each separate APK per architecture, set a unique version code as described here: 155 | // https://developer.android.com/studio/build/configure-apk-splits.html 156 | def versionCodes = ["armeabi-v7a": 1, "x86": 2, "arm64-v8a": 3, "x86_64": 4] 157 | def abi = output.getFilter(OutputFile.ABI) 158 | if (abi != null) { // null for the universal-debug, universal-release variants 159 | output.versionCodeOverride = 160 | versionCodes.get(abi) * 1048576 + defaultConfig.versionCode 161 | } 162 | } 163 | } 164 | 165 | packagingOptions { 166 | pickFirst '**/armeabi-v7a/libc++_shared.so' 167 | pickFirst '**/x86/libc++_shared.so' 168 | pickFirst '**/arm64-v8a/libc++_shared.so' 169 | pickFirst '**/x86_64/libc++_shared.so' 170 | pickFirst '**/x86/libjsc.so' 171 | pickFirst '**/armeabi-v7a/libjsc.so' 172 | } 173 | } 174 | 175 | dependencies { 176 | implementation project(':react-native-vector-icons') 177 | implementation fileTree(dir: "libs", include: ["*.jar"]) 178 | implementation "com.facebook.react:react-native:+" // From node_modules 179 | 180 | // JSC from node_modules 181 | if (useIntlJsc) { 182 | implementation 'org.webkit:android-jsc-intl:+' 183 | } else { 184 | implementation 'org.webkit:android-jsc:+' 185 | } 186 | } 187 | 188 | // Run this once to be able to run the application with BUCK 189 | // puts all compile dependencies into folder libs for BUCK to use 190 | task copyDownloadableDepsToLibs(type: Copy) { 191 | from configurations.compile 192 | into 'libs' 193 | } 194 | 195 | apply from: file("../../node_modules/@react-native-community/cli-platform-android/native_modules.gradle"); applyNativeModulesAppBuildGradle(project) 196 | apply plugin: 'com.google.gms.google-services' 197 | -------------------------------------------------------------------------------- /android/app/build_defs.bzl: -------------------------------------------------------------------------------- 1 | """Helper definitions to glob .aar and .jar targets""" 2 | 3 | def create_aar_targets(aarfiles): 4 | for aarfile in aarfiles: 5 | name = "aars__" + aarfile[aarfile.rindex("/") + 1:aarfile.rindex(".aar")] 6 | lib_deps.append(":" + name) 7 | android_prebuilt_aar( 8 | name = name, 9 | aar = aarfile, 10 | ) 11 | 12 | def create_jar_targets(jarfiles): 13 | for jarfile in jarfiles: 14 | name = "jars__" + jarfile[jarfile.rindex("/") + 1:jarfile.rindex(".jar")] 15 | lib_deps.append(":" + name) 16 | prebuilt_jar( 17 | name = name, 18 | binary_jar = jarfile, 19 | ) 20 | -------------------------------------------------------------------------------- /android/app/proguard-rules.pro: -------------------------------------------------------------------------------- 1 | # Add project specific ProGuard rules here. 2 | # By default, the flags in this file are appended to flags specified 3 | # in /usr/local/Cellar/android-sdk/24.3.3/tools/proguard/proguard-android.txt 4 | # You can edit the include path and order by changing the proguardFiles 5 | # directive in build.gradle. 6 | # 7 | # For more details, see 8 | # http://developer.android.com/guide/developing/tools/proguard.html 9 | 10 | # Add any project specific keep options here: 11 | -------------------------------------------------------------------------------- /android/app/src/debug/AndroidManifest.xml: -------------------------------------------------------------------------------- 1 | 2 | 4 | 5 | 6 | 7 | 8 | 9 | -------------------------------------------------------------------------------- /android/app/src/main/AndroidManifest.xml: -------------------------------------------------------------------------------- 1 | 3 | 4 | 5 | 6 | 13 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | 27 | -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/AntDesign.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/AntDesign.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Entypo.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Entypo.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/EvilIcons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/EvilIcons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Feather.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Feather.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/FontAwesome.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/FontAwesome.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/FontAwesome5_Brands.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/FontAwesome5_Brands.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/FontAwesome5_Regular.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/FontAwesome5_Regular.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/FontAwesome5_Solid.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/FontAwesome5_Solid.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Fontisto.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Fontisto.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Foundation.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Foundation.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Ionicons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Ionicons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/MaterialCommunityIcons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/MaterialCommunityIcons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/MaterialIcons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/MaterialIcons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Octicons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Octicons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/SimpleLineIcons.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/SimpleLineIcons.ttf -------------------------------------------------------------------------------- /android/app/src/main/assets/fonts/Zocial.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/assets/fonts/Zocial.ttf -------------------------------------------------------------------------------- /android/app/src/main/java/com/workshopapp/MainActivity.java: -------------------------------------------------------------------------------- 1 | package com.workshopapp; 2 | 3 | import com.facebook.react.ReactActivity; 4 | 5 | public class MainActivity extends ReactActivity { 6 | 7 | /** 8 | * Returns the name of the main component registered from JavaScript. 9 | * This is used to schedule rendering of the component. 10 | */ 11 | @Override 12 | protected String getMainComponentName() { 13 | return "WorkshopApp"; 14 | } 15 | } 16 | -------------------------------------------------------------------------------- /android/app/src/main/java/com/workshopapp/MainApplication.java: -------------------------------------------------------------------------------- 1 | package com.workshopapp; 2 | 3 | import android.app.Application; 4 | 5 | import com.facebook.react.ReactApplication; 6 | import com.oblador.vectoricons.VectorIconsPackage; 7 | import com.facebook.react.ReactNativeHost; 8 | import com.facebook.react.ReactPackage; 9 | import com.facebook.react.shell.MainReactPackage; 10 | import com.facebook.soloader.SoLoader; 11 | import com.facebook.react.PackageList; 12 | 13 | import java.util.List; 14 | 15 | public class MainApplication extends Application implements ReactApplication { 16 | 17 | private final ReactNativeHost mReactNativeHost = new ReactNativeHost(this) { 18 | @Override 19 | public boolean getUseDeveloperSupport() { 20 | return BuildConfig.DEBUG; 21 | } 22 | 23 | @Override 24 | protected List getPackages() { 25 | @SuppressWarnings("UnnecessaryLocalVariable") 26 | List packages = new PackageList(this).getPackages(); 27 | // additional non auto detected packages can still be added here: 28 | // packages.add(new SomeReactNativePackage()); 29 | return packages; 30 | } 31 | 32 | @Override 33 | protected String getJSMainModuleName() { 34 | return "index"; 35 | } 36 | }; 37 | 38 | @Override 39 | public ReactNativeHost getReactNativeHost() { 40 | return mReactNativeHost; 41 | } 42 | 43 | @Override 44 | public void onCreate() { 45 | super.onCreate(); 46 | SoLoader.init(this, /* native exopackage */ false); 47 | } 48 | } 49 | -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-hdpi/ic_launcher.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-hdpi/ic_launcher.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-hdpi/ic_launcher_round.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-hdpi/ic_launcher_round.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-mdpi/ic_launcher.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-mdpi/ic_launcher.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-mdpi/ic_launcher_round.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-mdpi/ic_launcher_round.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xhdpi/ic_launcher.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xhdpi/ic_launcher_round.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xhdpi/ic_launcher_round.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xxhdpi/ic_launcher_round.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_round.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png -------------------------------------------------------------------------------- /android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_round.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_round.png -------------------------------------------------------------------------------- /android/app/src/main/res/values/strings.xml: -------------------------------------------------------------------------------- 1 | 2 | Hello App Display Name 3 | 4 | -------------------------------------------------------------------------------- /android/app/src/main/res/values/styles.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 7 | 8 | 9 | -------------------------------------------------------------------------------- /android/build.gradle: -------------------------------------------------------------------------------- 1 | // Top-level build file where you can add configuration options common to all sub-projects/modules. 2 | 3 | buildscript { 4 | ext { 5 | buildToolsVersion = "28.0.3" 6 | minSdkVersion = 16 7 | compileSdkVersion = 28 8 | targetSdkVersion = 28 9 | supportLibVersion = "28.0.0" 10 | } 11 | repositories { 12 | google() 13 | jcenter() 14 | mavenCentral() 15 | } 16 | dependencies { 17 | classpath 'com.android.tools.build:gradle:3.4.0' 18 | classpath 'com.google.gms:google-services:4.2.0' 19 | 20 | // NOTE: Do not place your application dependencies here; they belong 21 | // in the individual module build.gradle files 22 | } 23 | } 24 | 25 | allprojects { 26 | repositories { 27 | google() 28 | mavenLocal() 29 | maven { 30 | // All of React Native (JS, Obj-C sources, Android binaries) is installed from npm 31 | url("$rootDir/../node_modules/react-native/android") 32 | } 33 | maven { 34 | // Android JSC is installed from npm 35 | url("$rootDir/../node_modules/jsc-android/dist") 36 | } 37 | 38 | jcenter() 39 | } 40 | } 41 | -------------------------------------------------------------------------------- /android/gradle.properties: -------------------------------------------------------------------------------- 1 | # Project-wide Gradle settings. 2 | 3 | # IDE (e.g. Android Studio) users: 4 | # Gradle settings configured through the IDE *will override* 5 | # any settings specified in this file. 6 | 7 | # For more details on how to configure your build environment visit 8 | # http://www.gradle.org/docs/current/userguide/build_environment.html 9 | 10 | # Specifies the JVM arguments used for the daemon process. 11 | # The setting is particularly useful for tweaking memory settings. 12 | # Default value: -Xmx10248m -XX:MaxPermSize=256m 13 | # org.gradle.jvmargs=-Xmx2048m -XX:MaxPermSize=512m -XX:+HeapDumpOnOutOfMemoryError -Dfile.encoding=UTF-8 14 | 15 | # When configured, Gradle will run in incubating parallel mode. 16 | # This option should only be used with decoupled projects. More details, visit 17 | # http://www.gradle.org/docs/current/userguide/multi_project_builds.html#sec:decoupled_projects 18 | # org.gradle.parallel=true 19 | 20 | android.useAndroidX=true 21 | android.enableJetifier=true 22 | -------------------------------------------------------------------------------- /android/gradle/wrapper/gradle-wrapper.jar: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/android/gradle/wrapper/gradle-wrapper.jar -------------------------------------------------------------------------------- /android/gradle/wrapper/gradle-wrapper.properties: -------------------------------------------------------------------------------- 1 | distributionBase=GRADLE_USER_HOME 2 | distributionPath=wrapper/dists 3 | distributionUrl=https\://services.gradle.org/distributions/gradle-5.2.1-all.zip 4 | zipStoreBase=GRADLE_USER_HOME 5 | zipStorePath=wrapper/dists 6 | -------------------------------------------------------------------------------- /android/gradlew: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env sh 2 | 3 | ############################################################################## 4 | ## 5 | ## Gradle start up script for UN*X 6 | ## 7 | ############################################################################## 8 | 9 | # Attempt to set APP_HOME 10 | # Resolve links: $0 may be a link 11 | PRG="$0" 12 | # Need this for relative symlinks. 13 | while [ -h "$PRG" ] ; do 14 | ls=`ls -ld "$PRG"` 15 | link=`expr "$ls" : '.*-> \(.*\)$'` 16 | if expr "$link" : '/.*' > /dev/null; then 17 | PRG="$link" 18 | else 19 | PRG=`dirname "$PRG"`"/$link" 20 | fi 21 | done 22 | SAVED="`pwd`" 23 | cd "`dirname \"$PRG\"`/" >/dev/null 24 | APP_HOME="`pwd -P`" 25 | cd "$SAVED" >/dev/null 26 | 27 | APP_NAME="Gradle" 28 | APP_BASE_NAME=`basename "$0"` 29 | 30 | # Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. 31 | DEFAULT_JVM_OPTS="" 32 | 33 | # Use the maximum available, or set MAX_FD != -1 to use that value. 34 | MAX_FD="maximum" 35 | 36 | warn () { 37 | echo "$*" 38 | } 39 | 40 | die () { 41 | echo 42 | echo "$*" 43 | echo 44 | exit 1 45 | } 46 | 47 | # OS specific support (must be 'true' or 'false'). 48 | cygwin=false 49 | msys=false 50 | darwin=false 51 | nonstop=false 52 | case "`uname`" in 53 | CYGWIN* ) 54 | cygwin=true 55 | ;; 56 | Darwin* ) 57 | darwin=true 58 | ;; 59 | MINGW* ) 60 | msys=true 61 | ;; 62 | NONSTOP* ) 63 | nonstop=true 64 | ;; 65 | esac 66 | 67 | CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar 68 | 69 | # Determine the Java command to use to start the JVM. 70 | if [ -n "$JAVA_HOME" ] ; then 71 | if [ -x "$JAVA_HOME/jre/sh/java" ] ; then 72 | # IBM's JDK on AIX uses strange locations for the executables 73 | JAVACMD="$JAVA_HOME/jre/sh/java" 74 | else 75 | JAVACMD="$JAVA_HOME/bin/java" 76 | fi 77 | if [ ! -x "$JAVACMD" ] ; then 78 | die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME 79 | 80 | Please set the JAVA_HOME variable in your environment to match the 81 | location of your Java installation." 82 | fi 83 | else 84 | JAVACMD="java" 85 | which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. 86 | 87 | Please set the JAVA_HOME variable in your environment to match the 88 | location of your Java installation." 89 | fi 90 | 91 | # Increase the maximum file descriptors if we can. 92 | if [ "$cygwin" = "false" -a "$darwin" = "false" -a "$nonstop" = "false" ] ; then 93 | MAX_FD_LIMIT=`ulimit -H -n` 94 | if [ $? -eq 0 ] ; then 95 | if [ "$MAX_FD" = "maximum" -o "$MAX_FD" = "max" ] ; then 96 | MAX_FD="$MAX_FD_LIMIT" 97 | fi 98 | ulimit -n $MAX_FD 99 | if [ $? -ne 0 ] ; then 100 | warn "Could not set maximum file descriptor limit: $MAX_FD" 101 | fi 102 | else 103 | warn "Could not query maximum file descriptor limit: $MAX_FD_LIMIT" 104 | fi 105 | fi 106 | 107 | # For Darwin, add options to specify how the application appears in the dock 108 | if $darwin; then 109 | GRADLE_OPTS="$GRADLE_OPTS \"-Xdock:name=$APP_NAME\" \"-Xdock:icon=$APP_HOME/media/gradle.icns\"" 110 | fi 111 | 112 | # For Cygwin, switch paths to Windows format before running java 113 | if $cygwin ; then 114 | APP_HOME=`cygpath --path --mixed "$APP_HOME"` 115 | CLASSPATH=`cygpath --path --mixed "$CLASSPATH"` 116 | JAVACMD=`cygpath --unix "$JAVACMD"` 117 | 118 | # We build the pattern for arguments to be converted via cygpath 119 | ROOTDIRSRAW=`find -L / -maxdepth 1 -mindepth 1 -type d 2>/dev/null` 120 | SEP="" 121 | for dir in $ROOTDIRSRAW ; do 122 | ROOTDIRS="$ROOTDIRS$SEP$dir" 123 | SEP="|" 124 | done 125 | OURCYGPATTERN="(^($ROOTDIRS))" 126 | # Add a user-defined pattern to the cygpath arguments 127 | if [ "$GRADLE_CYGPATTERN" != "" ] ; then 128 | OURCYGPATTERN="$OURCYGPATTERN|($GRADLE_CYGPATTERN)" 129 | fi 130 | # Now convert the arguments - kludge to limit ourselves to /bin/sh 131 | i=0 132 | for arg in "$@" ; do 133 | CHECK=`echo "$arg"|egrep -c "$OURCYGPATTERN" -` 134 | CHECK2=`echo "$arg"|egrep -c "^-"` ### Determine if an option 135 | 136 | if [ $CHECK -ne 0 ] && [ $CHECK2 -eq 0 ] ; then ### Added a condition 137 | eval `echo args$i`=`cygpath --path --ignore --mixed "$arg"` 138 | else 139 | eval `echo args$i`="\"$arg\"" 140 | fi 141 | i=$((i+1)) 142 | done 143 | case $i in 144 | (0) set -- ;; 145 | (1) set -- "$args0" ;; 146 | (2) set -- "$args0" "$args1" ;; 147 | (3) set -- "$args0" "$args1" "$args2" ;; 148 | (4) set -- "$args0" "$args1" "$args2" "$args3" ;; 149 | (5) set -- "$args0" "$args1" "$args2" "$args3" "$args4" ;; 150 | (6) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" ;; 151 | (7) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" ;; 152 | (8) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" ;; 153 | (9) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" "$args8" ;; 154 | esac 155 | fi 156 | 157 | # Escape application args 158 | save () { 159 | for i do printf %s\\n "$i" | sed "s/'/'\\\\''/g;1s/^/'/;\$s/\$/' \\\\/" ; done 160 | echo " " 161 | } 162 | APP_ARGS=$(save "$@") 163 | 164 | # Collect all arguments for the java command, following the shell quoting and substitution rules 165 | eval set -- $DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS "\"-Dorg.gradle.appname=$APP_BASE_NAME\"" -classpath "\"$CLASSPATH\"" org.gradle.wrapper.GradleWrapperMain "$APP_ARGS" 166 | 167 | # by default we should be in the correct project dir, but when run from Finder on Mac, the cwd is wrong 168 | if [ "$(uname)" = "Darwin" ] && [ "$HOME" = "$PWD" ]; then 169 | cd "$(dirname "$0")" 170 | fi 171 | 172 | exec "$JAVACMD" "$@" 173 | -------------------------------------------------------------------------------- /android/gradlew.bat: -------------------------------------------------------------------------------- 1 | @if "%DEBUG%" == "" @echo off 2 | @rem ########################################################################## 3 | @rem 4 | @rem Gradle startup script for Windows 5 | @rem 6 | @rem ########################################################################## 7 | 8 | @rem Set local scope for the variables with windows NT shell 9 | if "%OS%"=="Windows_NT" setlocal 10 | 11 | set DIRNAME=%~dp0 12 | if "%DIRNAME%" == "" set DIRNAME=. 13 | set APP_BASE_NAME=%~n0 14 | set APP_HOME=%DIRNAME% 15 | 16 | @rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. 17 | set DEFAULT_JVM_OPTS= 18 | 19 | @rem Find java.exe 20 | if defined JAVA_HOME goto findJavaFromJavaHome 21 | 22 | set JAVA_EXE=java.exe 23 | %JAVA_EXE% -version >NUL 2>&1 24 | if "%ERRORLEVEL%" == "0" goto init 25 | 26 | echo. 27 | echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. 28 | echo. 29 | echo Please set the JAVA_HOME variable in your environment to match the 30 | echo location of your Java installation. 31 | 32 | goto fail 33 | 34 | :findJavaFromJavaHome 35 | set JAVA_HOME=%JAVA_HOME:"=% 36 | set JAVA_EXE=%JAVA_HOME%/bin/java.exe 37 | 38 | if exist "%JAVA_EXE%" goto init 39 | 40 | echo. 41 | echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% 42 | echo. 43 | echo Please set the JAVA_HOME variable in your environment to match the 44 | echo location of your Java installation. 45 | 46 | goto fail 47 | 48 | :init 49 | @rem Get command-line arguments, handling Windows variants 50 | 51 | if not "%OS%" == "Windows_NT" goto win9xME_args 52 | 53 | :win9xME_args 54 | @rem Slurp the command line arguments. 55 | set CMD_LINE_ARGS= 56 | set _SKIP=2 57 | 58 | :win9xME_args_slurp 59 | if "x%~1" == "x" goto execute 60 | 61 | set CMD_LINE_ARGS=%* 62 | 63 | :execute 64 | @rem Setup the command line 65 | 66 | set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar 67 | 68 | @rem Execute Gradle 69 | "%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %CMD_LINE_ARGS% 70 | 71 | :end 72 | @rem End local scope for the variables with windows NT shell 73 | if "%ERRORLEVEL%"=="0" goto mainEnd 74 | 75 | :fail 76 | rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of 77 | rem the _cmd.exe /c_ return code! 78 | if not "" == "%GRADLE_EXIT_CONSOLE%" exit 1 79 | exit /b 1 80 | 81 | :mainEnd 82 | if "%OS%"=="Windows_NT" endlocal 83 | 84 | :omega 85 | -------------------------------------------------------------------------------- /android/settings.gradle: -------------------------------------------------------------------------------- 1 | rootProject.name = 'WorkshopApp' 2 | include ':react-native-vector-icons' 3 | project(':react-native-vector-icons').projectDir = new File(rootProject.projectDir, '../node_modules/react-native-vector-icons/android') 4 | apply from: file("../node_modules/@react-native-community/cli-platform-android/native_modules.gradle"); applyNativeModulesSettingsGradle(settings) 5 | include ':app' 6 | -------------------------------------------------------------------------------- /app.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "WorkshopApp", 3 | "displayName": "WorkshopApp" 4 | } 5 | -------------------------------------------------------------------------------- /assets/auth.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/auth.png -------------------------------------------------------------------------------- /assets/config.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/config.png -------------------------------------------------------------------------------- /assets/crashlytics.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/crashlytics.png -------------------------------------------------------------------------------- /assets/fiam.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/fiam.png -------------------------------------------------------------------------------- /assets/firestore.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/firestore.png -------------------------------------------------------------------------------- /assets/rn-firebase.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/rn-firebase.png -------------------------------------------------------------------------------- /assets/storage.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/assets/storage.png -------------------------------------------------------------------------------- /babel.config.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | presets: ['module:metro-react-native-babel-preset'], 3 | plugins: ['optional-require'], 4 | }; 5 | -------------------------------------------------------------------------------- /firebase.json: -------------------------------------------------------------------------------- 1 | { 2 | "react-native": {} 3 | } 4 | -------------------------------------------------------------------------------- /index.js: -------------------------------------------------------------------------------- 1 | /** 2 | * @format 3 | */ 4 | 5 | import { AppRegistry } from 'react-native'; 6 | import App from './App'; 7 | import { name as appName } from './app.json'; 8 | 9 | AppRegistry.registerComponent(appName, () => App); 10 | -------------------------------------------------------------------------------- /ios/Podfile: -------------------------------------------------------------------------------- 1 | platform :ios, '10.0' 2 | require_relative '../node_modules/@react-native-community/cli-platform-ios/native_modules' 3 | 4 | # To override the React Native Firebase iOS SDK versions used uncomment any of the below and change the version 5 | # $FirebaseSDKVersion = '6.8.1' 6 | # $FabricSDKVersion = '1.6.0' 7 | # $CrashlyticsSDKVersion = '3.1.0' 8 | 9 | target 'WorkshopApp' do 10 | # Pods for WorkshopApp 11 | pod 'FBLazyVector', :path => "../node_modules/react-native/Libraries/FBLazyVector" 12 | pod 'FBReactNativeSpec', :path => "../node_modules/react-native/Libraries/FBReactNativeSpec" 13 | pod 'RCTRequired', :path => "../node_modules/react-native/Libraries/RCTRequired" 14 | pod 'RCTTypeSafety', :path => "../node_modules/react-native/Libraries/TypeSafety" 15 | pod 'React', :path => '../node_modules/react-native/' 16 | pod 'React-Core', :path => '../node_modules/react-native/' 17 | pod 'React-CoreModules', :path => '../node_modules/react-native/React/CoreModules' 18 | pod 'React-Core/DevSupport', :path => '../node_modules/react-native/' 19 | pod 'React-RCTActionSheet', :path => '../node_modules/react-native/Libraries/ActionSheetIOS' 20 | pod 'React-RCTAnimation', :path => '../node_modules/react-native/Libraries/NativeAnimation' 21 | pod 'React-RCTBlob', :path => '../node_modules/react-native/Libraries/Blob' 22 | pod 'React-RCTImage', :path => '../node_modules/react-native/Libraries/Image' 23 | pod 'React-RCTLinking', :path => '../node_modules/react-native/Libraries/LinkingIOS' 24 | pod 'React-RCTNetwork', :path => '../node_modules/react-native/Libraries/Network' 25 | pod 'React-RCTSettings', :path => '../node_modules/react-native/Libraries/Settings' 26 | pod 'React-RCTText', :path => '../node_modules/react-native/Libraries/Text' 27 | pod 'React-RCTVibration', :path => '../node_modules/react-native/Libraries/Vibration' 28 | pod 'React-Core/RCTWebSocket', :path => '../node_modules/react-native/' 29 | 30 | pod 'React-cxxreact', :path => '../node_modules/react-native/ReactCommon/cxxreact' 31 | pod 'React-jsi', :path => '../node_modules/react-native/ReactCommon/jsi' 32 | pod 'React-jsiexecutor', :path => '../node_modules/react-native/ReactCommon/jsiexecutor' 33 | pod 'React-jsinspector', :path => '../node_modules/react-native/ReactCommon/jsinspector' 34 | pod 'ReactCommon/jscallinvoker', :path => "../node_modules/react-native/ReactCommon" 35 | pod 'ReactCommon/turbomodule/core', :path => "../node_modules/react-native/ReactCommon" 36 | pod 'Yoga', :path => '../node_modules/react-native/ReactCommon/yoga' 37 | 38 | pod 'DoubleConversion', :podspec => '../node_modules/react-native/third-party-podspecs/DoubleConversion.podspec' 39 | pod 'glog', :podspec => '../node_modules/react-native/third-party-podspecs/glog.podspec' 40 | pod 'Folly', :podspec => '../node_modules/react-native/third-party-podspecs/Folly.podspec' 41 | #pod 'RNVectorIcons', :path => '../node_modules/react-native-vector-icons' 42 | 43 | target 'WorkshopAppTests' do 44 | inherit! :search_paths 45 | # Pods for testing 46 | end 47 | 48 | use_native_modules! 49 | end 50 | 51 | target 'WorkshopApp-tvOS' do 52 | # Pods for WorkshopApp-tvOS 53 | 54 | target 'WorkshopApp-tvOSTests' do 55 | inherit! :search_paths 56 | # Pods for testing 57 | end 58 | 59 | end 60 | -------------------------------------------------------------------------------- /ios/Podfile.lock: -------------------------------------------------------------------------------- 1 | PODS: 2 | - abseil/algorithm (0.20190808): 3 | - abseil/algorithm/algorithm (= 0.20190808) 4 | - abseil/algorithm/container (= 0.20190808) 5 | - abseil/algorithm/algorithm (0.20190808) 6 | - abseil/algorithm/container (0.20190808): 7 | - abseil/algorithm/algorithm 8 | - abseil/base/core_headers 9 | - abseil/meta/type_traits 10 | - abseil/base (0.20190808): 11 | - abseil/base/atomic_hook (= 0.20190808) 12 | - abseil/base/base (= 0.20190808) 13 | - abseil/base/base_internal (= 0.20190808) 14 | - abseil/base/bits (= 0.20190808) 15 | - abseil/base/config (= 0.20190808) 16 | - abseil/base/core_headers (= 0.20190808) 17 | - abseil/base/dynamic_annotations (= 0.20190808) 18 | - abseil/base/endian (= 0.20190808) 19 | - abseil/base/log_severity (= 0.20190808) 20 | - abseil/base/malloc_internal (= 0.20190808) 21 | - abseil/base/pretty_function (= 0.20190808) 22 | - abseil/base/spinlock_wait (= 0.20190808) 23 | - abseil/base/throw_delegate (= 0.20190808) 24 | - abseil/base/atomic_hook (0.20190808) 25 | - abseil/base/base (0.20190808): 26 | - abseil/base/atomic_hook 27 | - abseil/base/base_internal 28 | - abseil/base/config 29 | - abseil/base/core_headers 30 | - abseil/base/dynamic_annotations 31 | - abseil/base/log_severity 32 | - abseil/base/spinlock_wait 33 | - abseil/meta/type_traits 34 | - abseil/base/base_internal (0.20190808): 35 | - abseil/meta/type_traits 36 | - abseil/base/bits (0.20190808): 37 | - abseil/base/core_headers 38 | - abseil/base/config (0.20190808) 39 | - abseil/base/core_headers (0.20190808): 40 | - abseil/base/config 41 | - abseil/base/dynamic_annotations (0.20190808) 42 | - abseil/base/endian (0.20190808): 43 | - abseil/base/config 44 | - abseil/base/core_headers 45 | - abseil/base/log_severity (0.20190808): 46 | - abseil/base/core_headers 47 | - abseil/base/malloc_internal (0.20190808): 48 | - abseil/base/base 49 | - abseil/base/config 50 | - abseil/base/core_headers 51 | - abseil/base/dynamic_annotations 52 | - abseil/base/spinlock_wait 53 | - abseil/base/pretty_function (0.20190808) 54 | - abseil/base/spinlock_wait (0.20190808): 55 | - abseil/base/core_headers 56 | - abseil/base/throw_delegate (0.20190808): 57 | - abseil/base/base 58 | - abseil/base/config 59 | - abseil/memory (0.20190808): 60 | - abseil/memory/memory (= 0.20190808) 61 | - abseil/memory/memory (0.20190808): 62 | - abseil/base/core_headers 63 | - abseil/meta/type_traits 64 | - abseil/meta (0.20190808): 65 | - abseil/meta/type_traits (= 0.20190808) 66 | - abseil/meta/type_traits (0.20190808): 67 | - abseil/base/config 68 | - abseil/numeric/int128 (0.20190808): 69 | - abseil/base/config 70 | - abseil/base/core_headers 71 | - abseil/strings/internal (0.20190808): 72 | - abseil/base/core_headers 73 | - abseil/base/endian 74 | - abseil/meta/type_traits 75 | - abseil/strings/strings (0.20190808): 76 | - abseil/base/base 77 | - abseil/base/bits 78 | - abseil/base/config 79 | - abseil/base/core_headers 80 | - abseil/base/endian 81 | - abseil/base/throw_delegate 82 | - abseil/memory/memory 83 | - abseil/meta/type_traits 84 | - abseil/numeric/int128 85 | - abseil/strings/internal 86 | - abseil/time (0.20190808): 87 | - abseil/time/internal (= 0.20190808) 88 | - abseil/time/time (= 0.20190808) 89 | - abseil/time/internal (0.20190808): 90 | - abseil/time/internal/cctz (= 0.20190808) 91 | - abseil/time/internal/cctz (0.20190808): 92 | - abseil/time/internal/cctz/civil_time (= 0.20190808) 93 | - abseil/time/internal/cctz/includes (= 0.20190808) 94 | - abseil/time/internal/cctz/time_zone (= 0.20190808) 95 | - abseil/time/internal/cctz/civil_time (0.20190808) 96 | - abseil/time/internal/cctz/includes (0.20190808) 97 | - abseil/time/internal/cctz/time_zone (0.20190808): 98 | - abseil/time/internal/cctz/civil_time 99 | - abseil/time/time (0.20190808): 100 | - abseil/base/base 101 | - abseil/base/core_headers 102 | - abseil/numeric/int128 103 | - abseil/strings/strings 104 | - abseil/time/internal/cctz/civil_time 105 | - abseil/time/internal/cctz/time_zone 106 | - abseil/types (0.20190808): 107 | - abseil/types/any (= 0.20190808) 108 | - abseil/types/bad_any_cast (= 0.20190808) 109 | - abseil/types/bad_any_cast_impl (= 0.20190808) 110 | - abseil/types/bad_optional_access (= 0.20190808) 111 | - abseil/types/bad_variant_access (= 0.20190808) 112 | - abseil/types/compare (= 0.20190808) 113 | - abseil/types/optional (= 0.20190808) 114 | - abseil/types/span (= 0.20190808) 115 | - abseil/types/variant (= 0.20190808) 116 | - abseil/types/any (0.20190808): 117 | - abseil/base/config 118 | - abseil/base/core_headers 119 | - abseil/meta/type_traits 120 | - abseil/types/bad_any_cast 121 | - abseil/utility/utility 122 | - abseil/types/bad_any_cast (0.20190808): 123 | - abseil/base/config 124 | - abseil/types/bad_any_cast_impl 125 | - abseil/types/bad_any_cast_impl (0.20190808): 126 | - abseil/base/base 127 | - abseil/base/config 128 | - abseil/types/bad_optional_access (0.20190808): 129 | - abseil/base/base 130 | - abseil/base/config 131 | - abseil/types/bad_variant_access (0.20190808): 132 | - abseil/base/base 133 | - abseil/base/config 134 | - abseil/types/compare (0.20190808): 135 | - abseil/base/core_headers 136 | - abseil/meta/type_traits 137 | - abseil/types/optional (0.20190808): 138 | - abseil/base/base_internal 139 | - abseil/base/config 140 | - abseil/base/core_headers 141 | - abseil/memory/memory 142 | - abseil/meta/type_traits 143 | - abseil/types/bad_optional_access 144 | - abseil/utility/utility 145 | - abseil/types/span (0.20190808): 146 | - abseil/algorithm/algorithm 147 | - abseil/base/core_headers 148 | - abseil/base/throw_delegate 149 | - abseil/meta/type_traits 150 | - abseil/types/variant (0.20190808): 151 | - abseil/base/base_internal 152 | - abseil/base/config 153 | - abseil/base/core_headers 154 | - abseil/meta/type_traits 155 | - abseil/types/bad_variant_access 156 | - abseil/utility/utility 157 | - abseil/utility/utility (0.20190808): 158 | - abseil/base/base_internal 159 | - abseil/base/config 160 | - abseil/meta/type_traits 161 | - AppAuth (1.3.0): 162 | - AppAuth/Core (= 1.3.0) 163 | - AppAuth/ExternalUserAgent (= 1.3.0) 164 | - AppAuth/Core (1.3.0) 165 | - AppAuth/ExternalUserAgent (1.3.0) 166 | - boost-for-react-native (1.63.0) 167 | - BoringSSL-GRPC (0.0.3): 168 | - BoringSSL-GRPC/Implementation (= 0.0.3) 169 | - BoringSSL-GRPC/Interface (= 0.0.3) 170 | - BoringSSL-GRPC/Implementation (0.0.3): 171 | - BoringSSL-GRPC/Interface (= 0.0.3) 172 | - BoringSSL-GRPC/Interface (0.0.3) 173 | - Crashlytics (3.12.0): 174 | - Fabric (~> 1.9.0) 175 | - DoubleConversion (1.1.6) 176 | - Fabric (1.9.0) 177 | - FBLazyVector (0.61.5) 178 | - FBReactNativeSpec (0.61.5): 179 | - Folly (= 2018.10.22.00) 180 | - RCTRequired (= 0.61.5) 181 | - RCTTypeSafety (= 0.61.5) 182 | - React-Core (= 0.61.5) 183 | - React-jsi (= 0.61.5) 184 | - ReactCommon/turbomodule/core (= 0.61.5) 185 | - Firebase/Auth (6.13.0): 186 | - Firebase/CoreOnly 187 | - FirebaseAuth (~> 6.4.0) 188 | - Firebase/Core (6.13.0): 189 | - Firebase/CoreOnly 190 | - FirebaseAnalytics (= 6.1.6) 191 | - Firebase/CoreOnly (6.13.0): 192 | - FirebaseCore (= 6.4.0) 193 | - Firebase/Firestore (6.13.0): 194 | - Firebase/CoreOnly 195 | - FirebaseFirestore (~> 1.8.0) 196 | - Firebase/InAppMessagingDisplay (6.13.0): 197 | - Firebase/CoreOnly 198 | - FirebaseInAppMessagingDisplay (~> 0.15.5) 199 | - Firebase/RemoteConfig (6.13.0): 200 | - Firebase/CoreOnly 201 | - FirebaseRemoteConfig (~> 4.4.5) 202 | - Firebase/Storage (6.13.0): 203 | - Firebase/CoreOnly 204 | - FirebaseStorage (~> 3.4.2) 205 | - FirebaseABTesting (3.1.2): 206 | - FirebaseAnalyticsInterop (~> 1.3) 207 | - FirebaseCore (~> 6.1) 208 | - Protobuf (>= 3.9.2, ~> 3.9) 209 | - FirebaseAnalytics (6.1.6): 210 | - FirebaseCore (~> 6.4) 211 | - FirebaseInstanceID (~> 4.2) 212 | - GoogleAppMeasurement (= 6.1.6) 213 | - GoogleUtilities/AppDelegateSwizzler (~> 6.0) 214 | - GoogleUtilities/MethodSwizzler (~> 6.0) 215 | - GoogleUtilities/Network (~> 6.0) 216 | - "GoogleUtilities/NSData+zlib (~> 6.0)" 217 | - nanopb (= 0.3.9011) 218 | - FirebaseAnalyticsInterop (1.4.0) 219 | - FirebaseAuth (6.4.0): 220 | - FirebaseAuthInterop (~> 1.0) 221 | - FirebaseCore (~> 6.2) 222 | - GoogleUtilities/AppDelegateSwizzler (~> 6.2) 223 | - GoogleUtilities/Environment (~> 6.2) 224 | - GTMSessionFetcher/Core (~> 1.1) 225 | - FirebaseAuthInterop (1.0.0) 226 | - FirebaseCore (6.4.0): 227 | - FirebaseCoreDiagnostics (~> 1.0) 228 | - FirebaseCoreDiagnosticsInterop (~> 1.0) 229 | - GoogleUtilities/Environment (~> 6.2) 230 | - GoogleUtilities/Logger (~> 6.2) 231 | - FirebaseCoreDiagnostics (1.1.2): 232 | - FirebaseCoreDiagnosticsInterop (~> 1.0) 233 | - GoogleDataTransportCCTSupport (~> 1.0) 234 | - GoogleUtilities/Environment (~> 6.2) 235 | - GoogleUtilities/Logger (~> 6.2) 236 | - nanopb (~> 0.3.901) 237 | - FirebaseCoreDiagnosticsInterop (1.1.0) 238 | - FirebaseFirestore (1.8.1): 239 | - abseil/algorithm (= 0.20190808) 240 | - abseil/base (= 0.20190808) 241 | - abseil/memory (= 0.20190808) 242 | - abseil/meta (= 0.20190808) 243 | - abseil/strings/strings (= 0.20190808) 244 | - abseil/time (= 0.20190808) 245 | - abseil/types (= 0.20190808) 246 | - FirebaseAuthInterop (~> 1.0) 247 | - FirebaseCore (~> 6.2) 248 | - "gRPC-C++ (= 0.0.9)" 249 | - leveldb-library (~> 1.22) 250 | - nanopb (~> 0.3.901) 251 | - FirebaseInAppMessaging (0.15.5): 252 | - FirebaseAnalyticsInterop (~> 1.3) 253 | - FirebaseCore (~> 6.2) 254 | - FirebaseInstanceID (~> 4.0) 255 | - GoogleDataTransportCCTSupport (~> 1.0) 256 | - FirebaseInAppMessagingDisplay (0.15.5): 257 | - FirebaseCore (~> 6.2) 258 | - FirebaseInAppMessaging (>= 0.15.0) 259 | - FirebaseInstanceID (4.2.7): 260 | - FirebaseCore (~> 6.0) 261 | - GoogleUtilities/Environment (~> 6.0) 262 | - GoogleUtilities/UserDefaults (~> 6.0) 263 | - FirebaseRemoteConfig (4.4.5): 264 | - FirebaseABTesting (~> 3.1) 265 | - FirebaseAnalyticsInterop (~> 1.4) 266 | - FirebaseCore (~> 6.2) 267 | - FirebaseInstanceID (~> 4.2) 268 | - GoogleUtilities/Environment (~> 6.2) 269 | - "GoogleUtilities/NSData+zlib (~> 6.2)" 270 | - Protobuf (>= 3.9.2, ~> 3.9) 271 | - FirebaseStorage (3.4.2): 272 | - FirebaseAuthInterop (~> 1.0) 273 | - FirebaseCore (~> 6.0) 274 | - GTMSessionFetcher/Core (~> 1.1) 275 | - Folly (2018.10.22.00): 276 | - boost-for-react-native 277 | - DoubleConversion 278 | - Folly/Default (= 2018.10.22.00) 279 | - glog 280 | - Folly/Default (2018.10.22.00): 281 | - boost-for-react-native 282 | - DoubleConversion 283 | - glog 284 | - glog (0.3.5) 285 | - GoogleAppMeasurement (6.1.6): 286 | - GoogleUtilities/AppDelegateSwizzler (~> 6.0) 287 | - GoogleUtilities/MethodSwizzler (~> 6.0) 288 | - GoogleUtilities/Network (~> 6.0) 289 | - "GoogleUtilities/NSData+zlib (~> 6.0)" 290 | - nanopb (= 0.3.9011) 291 | - GoogleDataTransport (3.2.0) 292 | - GoogleDataTransportCCTSupport (1.2.2): 293 | - GoogleDataTransport (~> 3.2) 294 | - nanopb (~> 0.3.901) 295 | - GoogleSignIn (5.0.2): 296 | - AppAuth (~> 1.2) 297 | - GTMAppAuth (~> 1.0) 298 | - GTMSessionFetcher/Core (~> 1.1) 299 | - GoogleUtilities/AppDelegateSwizzler (6.3.2): 300 | - GoogleUtilities/Environment 301 | - GoogleUtilities/Logger 302 | - GoogleUtilities/Network 303 | - GoogleUtilities/Environment (6.3.2) 304 | - GoogleUtilities/Logger (6.3.2): 305 | - GoogleUtilities/Environment 306 | - GoogleUtilities/MethodSwizzler (6.3.2): 307 | - GoogleUtilities/Logger 308 | - GoogleUtilities/Network (6.3.2): 309 | - GoogleUtilities/Logger 310 | - "GoogleUtilities/NSData+zlib" 311 | - GoogleUtilities/Reachability 312 | - "GoogleUtilities/NSData+zlib (6.3.2)" 313 | - GoogleUtilities/Reachability (6.3.2): 314 | - GoogleUtilities/Logger 315 | - GoogleUtilities/UserDefaults (6.3.2): 316 | - GoogleUtilities/Logger 317 | - "gRPC-C++ (0.0.9)": 318 | - "gRPC-C++/Implementation (= 0.0.9)" 319 | - "gRPC-C++/Interface (= 0.0.9)" 320 | - "gRPC-C++/Implementation (0.0.9)": 321 | - "gRPC-C++/Interface (= 0.0.9)" 322 | - gRPC-Core (= 1.21.0) 323 | - nanopb (~> 0.3) 324 | - "gRPC-C++/Interface (0.0.9)" 325 | - gRPC-Core (1.21.0): 326 | - gRPC-Core/Implementation (= 1.21.0) 327 | - gRPC-Core/Interface (= 1.21.0) 328 | - gRPC-Core/Implementation (1.21.0): 329 | - BoringSSL-GRPC (= 0.0.3) 330 | - gRPC-Core/Interface (= 1.21.0) 331 | - nanopb (~> 0.3) 332 | - gRPC-Core/Interface (1.21.0) 333 | - GTMAppAuth (1.0.0): 334 | - AppAuth/Core (~> 1.0) 335 | - GTMSessionFetcher (~> 1.1) 336 | - GTMSessionFetcher (1.3.0): 337 | - GTMSessionFetcher/Full (= 1.3.0) 338 | - GTMSessionFetcher/Core (1.3.0) 339 | - GTMSessionFetcher/Full (1.3.0): 340 | - GTMSessionFetcher/Core (= 1.3.0) 341 | - leveldb-library (1.22) 342 | - nanopb (0.3.9011): 343 | - nanopb/decode (= 0.3.9011) 344 | - nanopb/encode (= 0.3.9011) 345 | - nanopb/decode (0.3.9011) 346 | - nanopb/encode (0.3.9011) 347 | - Protobuf (3.11.0) 348 | - RCTRequired (0.61.5) 349 | - RCTTypeSafety (0.61.5): 350 | - FBLazyVector (= 0.61.5) 351 | - Folly (= 2018.10.22.00) 352 | - RCTRequired (= 0.61.5) 353 | - React-Core (= 0.61.5) 354 | - React (0.61.5): 355 | - React-Core (= 0.61.5) 356 | - React-Core/DevSupport (= 0.61.5) 357 | - React-Core/RCTWebSocket (= 0.61.5) 358 | - React-RCTActionSheet (= 0.61.5) 359 | - React-RCTAnimation (= 0.61.5) 360 | - React-RCTBlob (= 0.61.5) 361 | - React-RCTImage (= 0.61.5) 362 | - React-RCTLinking (= 0.61.5) 363 | - React-RCTNetwork (= 0.61.5) 364 | - React-RCTSettings (= 0.61.5) 365 | - React-RCTText (= 0.61.5) 366 | - React-RCTVibration (= 0.61.5) 367 | - React-Core (0.61.5): 368 | - Folly (= 2018.10.22.00) 369 | - glog 370 | - React-Core/Default (= 0.61.5) 371 | - React-cxxreact (= 0.61.5) 372 | - React-jsi (= 0.61.5) 373 | - React-jsiexecutor (= 0.61.5) 374 | - Yoga 375 | - React-Core/CoreModulesHeaders (0.61.5): 376 | - Folly (= 2018.10.22.00) 377 | - glog 378 | - React-Core/Default 379 | - React-cxxreact (= 0.61.5) 380 | - React-jsi (= 0.61.5) 381 | - React-jsiexecutor (= 0.61.5) 382 | - Yoga 383 | - React-Core/Default (0.61.5): 384 | - Folly (= 2018.10.22.00) 385 | - glog 386 | - React-cxxreact (= 0.61.5) 387 | - React-jsi (= 0.61.5) 388 | - React-jsiexecutor (= 0.61.5) 389 | - Yoga 390 | - React-Core/DevSupport (0.61.5): 391 | - Folly (= 2018.10.22.00) 392 | - glog 393 | - React-Core/Default (= 0.61.5) 394 | - React-Core/RCTWebSocket (= 0.61.5) 395 | - React-cxxreact (= 0.61.5) 396 | - React-jsi (= 0.61.5) 397 | - React-jsiexecutor (= 0.61.5) 398 | - React-jsinspector (= 0.61.5) 399 | - Yoga 400 | - React-Core/RCTActionSheetHeaders (0.61.5): 401 | - Folly (= 2018.10.22.00) 402 | - glog 403 | - React-Core/Default 404 | - React-cxxreact (= 0.61.5) 405 | - React-jsi (= 0.61.5) 406 | - React-jsiexecutor (= 0.61.5) 407 | - Yoga 408 | - React-Core/RCTAnimationHeaders (0.61.5): 409 | - Folly (= 2018.10.22.00) 410 | - glog 411 | - React-Core/Default 412 | - React-cxxreact (= 0.61.5) 413 | - React-jsi (= 0.61.5) 414 | - React-jsiexecutor (= 0.61.5) 415 | - Yoga 416 | - React-Core/RCTBlobHeaders (0.61.5): 417 | - Folly (= 2018.10.22.00) 418 | - glog 419 | - React-Core/Default 420 | - React-cxxreact (= 0.61.5) 421 | - React-jsi (= 0.61.5) 422 | - React-jsiexecutor (= 0.61.5) 423 | - Yoga 424 | - React-Core/RCTImageHeaders (0.61.5): 425 | - Folly (= 2018.10.22.00) 426 | - glog 427 | - React-Core/Default 428 | - React-cxxreact (= 0.61.5) 429 | - React-jsi (= 0.61.5) 430 | - React-jsiexecutor (= 0.61.5) 431 | - Yoga 432 | - React-Core/RCTLinkingHeaders (0.61.5): 433 | - Folly (= 2018.10.22.00) 434 | - glog 435 | - React-Core/Default 436 | - React-cxxreact (= 0.61.5) 437 | - React-jsi (= 0.61.5) 438 | - React-jsiexecutor (= 0.61.5) 439 | - Yoga 440 | - React-Core/RCTNetworkHeaders (0.61.5): 441 | - Folly (= 2018.10.22.00) 442 | - glog 443 | - React-Core/Default 444 | - React-cxxreact (= 0.61.5) 445 | - React-jsi (= 0.61.5) 446 | - React-jsiexecutor (= 0.61.5) 447 | - Yoga 448 | - React-Core/RCTSettingsHeaders (0.61.5): 449 | - Folly (= 2018.10.22.00) 450 | - glog 451 | - React-Core/Default 452 | - React-cxxreact (= 0.61.5) 453 | - React-jsi (= 0.61.5) 454 | - React-jsiexecutor (= 0.61.5) 455 | - Yoga 456 | - React-Core/RCTTextHeaders (0.61.5): 457 | - Folly (= 2018.10.22.00) 458 | - glog 459 | - React-Core/Default 460 | - React-cxxreact (= 0.61.5) 461 | - React-jsi (= 0.61.5) 462 | - React-jsiexecutor (= 0.61.5) 463 | - Yoga 464 | - React-Core/RCTVibrationHeaders (0.61.5): 465 | - Folly (= 2018.10.22.00) 466 | - glog 467 | - React-Core/Default 468 | - React-cxxreact (= 0.61.5) 469 | - React-jsi (= 0.61.5) 470 | - React-jsiexecutor (= 0.61.5) 471 | - Yoga 472 | - React-Core/RCTWebSocket (0.61.5): 473 | - Folly (= 2018.10.22.00) 474 | - glog 475 | - React-Core/Default (= 0.61.5) 476 | - React-cxxreact (= 0.61.5) 477 | - React-jsi (= 0.61.5) 478 | - React-jsiexecutor (= 0.61.5) 479 | - Yoga 480 | - React-CoreModules (0.61.5): 481 | - FBReactNativeSpec (= 0.61.5) 482 | - Folly (= 2018.10.22.00) 483 | - RCTTypeSafety (= 0.61.5) 484 | - React-Core/CoreModulesHeaders (= 0.61.5) 485 | - React-RCTImage (= 0.61.5) 486 | - ReactCommon/turbomodule/core (= 0.61.5) 487 | - React-cxxreact (0.61.5): 488 | - boost-for-react-native (= 1.63.0) 489 | - DoubleConversion 490 | - Folly (= 2018.10.22.00) 491 | - glog 492 | - React-jsinspector (= 0.61.5) 493 | - React-jsi (0.61.5): 494 | - boost-for-react-native (= 1.63.0) 495 | - DoubleConversion 496 | - Folly (= 2018.10.22.00) 497 | - glog 498 | - React-jsi/Default (= 0.61.5) 499 | - React-jsi/Default (0.61.5): 500 | - boost-for-react-native (= 1.63.0) 501 | - DoubleConversion 502 | - Folly (= 2018.10.22.00) 503 | - glog 504 | - React-jsiexecutor (0.61.5): 505 | - DoubleConversion 506 | - Folly (= 2018.10.22.00) 507 | - glog 508 | - React-cxxreact (= 0.61.5) 509 | - React-jsi (= 0.61.5) 510 | - React-jsinspector (0.61.5) 511 | - react-native-cameraroll (1.2.1): 512 | - React 513 | - react-native-safe-area-context (0.5.0): 514 | - React 515 | - React-RCTActionSheet (0.61.5): 516 | - React-Core/RCTActionSheetHeaders (= 0.61.5) 517 | - React-RCTAnimation (0.61.5): 518 | - React-Core/RCTAnimationHeaders (= 0.61.5) 519 | - React-RCTBlob (0.61.5): 520 | - React-Core/RCTBlobHeaders (= 0.61.5) 521 | - React-Core/RCTWebSocket (= 0.61.5) 522 | - React-jsi (= 0.61.5) 523 | - React-RCTNetwork (= 0.61.5) 524 | - React-RCTImage (0.61.5): 525 | - React-Core/RCTImageHeaders (= 0.61.5) 526 | - React-RCTNetwork (= 0.61.5) 527 | - React-RCTLinking (0.61.5): 528 | - React-Core/RCTLinkingHeaders (= 0.61.5) 529 | - React-RCTNetwork (0.61.5): 530 | - React-Core/RCTNetworkHeaders (= 0.61.5) 531 | - React-RCTSettings (0.61.5): 532 | - React-Core/RCTSettingsHeaders (= 0.61.5) 533 | - React-RCTText (0.61.5): 534 | - React-Core/RCTTextHeaders (= 0.61.5) 535 | - React-RCTVibration (0.61.5): 536 | - React-Core/RCTVibrationHeaders (= 0.61.5) 537 | - ReactCommon/jscallinvoker (0.61.5): 538 | - DoubleConversion 539 | - Folly (= 2018.10.22.00) 540 | - glog 541 | - React-cxxreact (= 0.61.5) 542 | - ReactCommon/turbomodule/core (0.61.5): 543 | - DoubleConversion 544 | - Folly (= 2018.10.22.00) 545 | - glog 546 | - React-Core (= 0.61.5) 547 | - React-cxxreact (= 0.61.5) 548 | - React-jsi (= 0.61.5) 549 | - ReactCommon/jscallinvoker (= 0.61.5) 550 | - RNCMaskedView (0.1.1): 551 | - React 552 | - RNFBApp (6.1.0): 553 | - Firebase/Core (~> 6.13.0) 554 | - React 555 | - RNFBAuth (6.1.0): 556 | - Firebase/Auth (~> 6.13.0) 557 | - Firebase/Core (~> 6.13.0) 558 | - React 559 | - RNFBApp 560 | - RNFBCrashlytics (6.1.0): 561 | - Crashlytics (~> 3.12.0) 562 | - Fabric (~> 1.9.0) 563 | - Firebase/Core (~> 6.13.0) 564 | - React 565 | - RNFBApp 566 | - RNFBFirestore (6.1.0): 567 | - Firebase/Core (~> 6.13.0) 568 | - Firebase/Firestore (~> 6.13.0) 569 | - React 570 | - RNFBApp 571 | - RNFBIid (6.1.0): 572 | - Firebase/Core (~> 6.13.0) 573 | - React 574 | - RNFBApp 575 | - RNFBInAppMessaging (6.1.0): 576 | - Firebase/Core (~> 6.13.0) 577 | - Firebase/InAppMessagingDisplay (~> 6.13.0) 578 | - React 579 | - RNFBApp 580 | - RNFBRemoteConfig (6.1.0): 581 | - Firebase/Core (~> 6.13.0) 582 | - Firebase/RemoteConfig (~> 6.13.0) 583 | - React 584 | - RNFBApp 585 | - RNFBStorage (6.1.0): 586 | - Firebase/Core (~> 6.13.0) 587 | - Firebase/Storage (~> 6.13.0) 588 | - React 589 | - RNFBApp 590 | - RNGestureHandler (1.4.1): 591 | - React 592 | - RNGoogleSignin (3.0.3): 593 | - GoogleSignIn (~> 5.0.0) 594 | - React 595 | - RNReanimated (1.3.0): 596 | - React 597 | - RNScreens (1.0.0-alpha.23): 598 | - React 599 | - RNVectorIcons (6.6.0): 600 | - React 601 | - Yoga (1.14.0) 602 | 603 | DEPENDENCIES: 604 | - DoubleConversion (from `../node_modules/react-native/third-party-podspecs/DoubleConversion.podspec`) 605 | - FBLazyVector (from `../node_modules/react-native/Libraries/FBLazyVector`) 606 | - FBReactNativeSpec (from `../node_modules/react-native/Libraries/FBReactNativeSpec`) 607 | - Folly (from `../node_modules/react-native/third-party-podspecs/Folly.podspec`) 608 | - glog (from `../node_modules/react-native/third-party-podspecs/glog.podspec`) 609 | - RCTRequired (from `../node_modules/react-native/Libraries/RCTRequired`) 610 | - RCTTypeSafety (from `../node_modules/react-native/Libraries/TypeSafety`) 611 | - React (from `../node_modules/react-native/`) 612 | - React-Core (from `../node_modules/react-native/`) 613 | - React-Core/DevSupport (from `../node_modules/react-native/`) 614 | - React-Core/RCTWebSocket (from `../node_modules/react-native/`) 615 | - React-CoreModules (from `../node_modules/react-native/React/CoreModules`) 616 | - React-cxxreact (from `../node_modules/react-native/ReactCommon/cxxreact`) 617 | - React-jsi (from `../node_modules/react-native/ReactCommon/jsi`) 618 | - React-jsiexecutor (from `../node_modules/react-native/ReactCommon/jsiexecutor`) 619 | - React-jsinspector (from `../node_modules/react-native/ReactCommon/jsinspector`) 620 | - "react-native-cameraroll (from `../node_modules/@react-native-community/cameraroll`)" 621 | - react-native-safe-area-context (from `../node_modules/react-native-safe-area-context`) 622 | - React-RCTActionSheet (from `../node_modules/react-native/Libraries/ActionSheetIOS`) 623 | - React-RCTAnimation (from `../node_modules/react-native/Libraries/NativeAnimation`) 624 | - React-RCTBlob (from `../node_modules/react-native/Libraries/Blob`) 625 | - React-RCTImage (from `../node_modules/react-native/Libraries/Image`) 626 | - React-RCTLinking (from `../node_modules/react-native/Libraries/LinkingIOS`) 627 | - React-RCTNetwork (from `../node_modules/react-native/Libraries/Network`) 628 | - React-RCTSettings (from `../node_modules/react-native/Libraries/Settings`) 629 | - React-RCTText (from `../node_modules/react-native/Libraries/Text`) 630 | - React-RCTVibration (from `../node_modules/react-native/Libraries/Vibration`) 631 | - ReactCommon/jscallinvoker (from `../node_modules/react-native/ReactCommon`) 632 | - ReactCommon/turbomodule/core (from `../node_modules/react-native/ReactCommon`) 633 | - "RNCMaskedView (from `../node_modules/@react-native-community/masked-view`)" 634 | - "RNFBApp (from `../node_modules/@react-native-firebase/app`)" 635 | - "RNFBAuth (from `../node_modules/@react-native-firebase/auth`)" 636 | - "RNFBCrashlytics (from `../node_modules/@react-native-firebase/crashlytics`)" 637 | - "RNFBFirestore (from `../node_modules/@react-native-firebase/firestore`)" 638 | - "RNFBIid (from `../node_modules/@react-native-firebase/iid`)" 639 | - "RNFBInAppMessaging (from `../node_modules/@react-native-firebase/in-app-messaging`)" 640 | - "RNFBRemoteConfig (from `../node_modules/@react-native-firebase/remote-config`)" 641 | - "RNFBStorage (from `../node_modules/@react-native-firebase/storage`)" 642 | - RNGestureHandler (from `../node_modules/react-native-gesture-handler`) 643 | - "RNGoogleSignin (from `../node_modules/@react-native-community/google-signin`)" 644 | - RNReanimated (from `../node_modules/react-native-reanimated`) 645 | - RNScreens (from `../node_modules/react-native-screens`) 646 | - RNVectorIcons (from `../node_modules/react-native-vector-icons`) 647 | - Yoga (from `../node_modules/react-native/ReactCommon/yoga`) 648 | 649 | SPEC REPOS: 650 | trunk: 651 | - abseil 652 | - AppAuth 653 | - boost-for-react-native 654 | - BoringSSL-GRPC 655 | - Crashlytics 656 | - Fabric 657 | - Firebase 658 | - FirebaseABTesting 659 | - FirebaseAnalytics 660 | - FirebaseAnalyticsInterop 661 | - FirebaseAuth 662 | - FirebaseAuthInterop 663 | - FirebaseCore 664 | - FirebaseCoreDiagnostics 665 | - FirebaseCoreDiagnosticsInterop 666 | - FirebaseFirestore 667 | - FirebaseInAppMessaging 668 | - FirebaseInAppMessagingDisplay 669 | - FirebaseInstanceID 670 | - FirebaseRemoteConfig 671 | - FirebaseStorage 672 | - GoogleAppMeasurement 673 | - GoogleDataTransport 674 | - GoogleDataTransportCCTSupport 675 | - GoogleSignIn 676 | - GoogleUtilities 677 | - "gRPC-C++" 678 | - gRPC-Core 679 | - GTMAppAuth 680 | - GTMSessionFetcher 681 | - leveldb-library 682 | - nanopb 683 | - Protobuf 684 | 685 | EXTERNAL SOURCES: 686 | DoubleConversion: 687 | :podspec: "../node_modules/react-native/third-party-podspecs/DoubleConversion.podspec" 688 | FBLazyVector: 689 | :path: "../node_modules/react-native/Libraries/FBLazyVector" 690 | FBReactNativeSpec: 691 | :path: "../node_modules/react-native/Libraries/FBReactNativeSpec" 692 | Folly: 693 | :podspec: "../node_modules/react-native/third-party-podspecs/Folly.podspec" 694 | glog: 695 | :podspec: "../node_modules/react-native/third-party-podspecs/glog.podspec" 696 | RCTRequired: 697 | :path: "../node_modules/react-native/Libraries/RCTRequired" 698 | RCTTypeSafety: 699 | :path: "../node_modules/react-native/Libraries/TypeSafety" 700 | React: 701 | :path: "../node_modules/react-native/" 702 | React-Core: 703 | :path: "../node_modules/react-native/" 704 | React-CoreModules: 705 | :path: "../node_modules/react-native/React/CoreModules" 706 | React-cxxreact: 707 | :path: "../node_modules/react-native/ReactCommon/cxxreact" 708 | React-jsi: 709 | :path: "../node_modules/react-native/ReactCommon/jsi" 710 | React-jsiexecutor: 711 | :path: "../node_modules/react-native/ReactCommon/jsiexecutor" 712 | React-jsinspector: 713 | :path: "../node_modules/react-native/ReactCommon/jsinspector" 714 | react-native-cameraroll: 715 | :path: "../node_modules/@react-native-community/cameraroll" 716 | react-native-safe-area-context: 717 | :path: "../node_modules/react-native-safe-area-context" 718 | React-RCTActionSheet: 719 | :path: "../node_modules/react-native/Libraries/ActionSheetIOS" 720 | React-RCTAnimation: 721 | :path: "../node_modules/react-native/Libraries/NativeAnimation" 722 | React-RCTBlob: 723 | :path: "../node_modules/react-native/Libraries/Blob" 724 | React-RCTImage: 725 | :path: "../node_modules/react-native/Libraries/Image" 726 | React-RCTLinking: 727 | :path: "../node_modules/react-native/Libraries/LinkingIOS" 728 | React-RCTNetwork: 729 | :path: "../node_modules/react-native/Libraries/Network" 730 | React-RCTSettings: 731 | :path: "../node_modules/react-native/Libraries/Settings" 732 | React-RCTText: 733 | :path: "../node_modules/react-native/Libraries/Text" 734 | React-RCTVibration: 735 | :path: "../node_modules/react-native/Libraries/Vibration" 736 | ReactCommon: 737 | :path: "../node_modules/react-native/ReactCommon" 738 | RNCMaskedView: 739 | :path: "../node_modules/@react-native-community/masked-view" 740 | RNFBApp: 741 | :path: "../node_modules/@react-native-firebase/app" 742 | RNFBAuth: 743 | :path: "../node_modules/@react-native-firebase/auth" 744 | RNFBCrashlytics: 745 | :path: "../node_modules/@react-native-firebase/crashlytics" 746 | RNFBFirestore: 747 | :path: "../node_modules/@react-native-firebase/firestore" 748 | RNFBIid: 749 | :path: "../node_modules/@react-native-firebase/iid" 750 | RNFBInAppMessaging: 751 | :path: "../node_modules/@react-native-firebase/in-app-messaging" 752 | RNFBRemoteConfig: 753 | :path: "../node_modules/@react-native-firebase/remote-config" 754 | RNFBStorage: 755 | :path: "../node_modules/@react-native-firebase/storage" 756 | RNGestureHandler: 757 | :path: "../node_modules/react-native-gesture-handler" 758 | RNGoogleSignin: 759 | :path: "../node_modules/@react-native-community/google-signin" 760 | RNReanimated: 761 | :path: "../node_modules/react-native-reanimated" 762 | RNScreens: 763 | :path: "../node_modules/react-native-screens" 764 | RNVectorIcons: 765 | :path: "../node_modules/react-native-vector-icons" 766 | Yoga: 767 | :path: "../node_modules/react-native/ReactCommon/yoga" 768 | 769 | SPEC CHECKSUMS: 770 | abseil: 18063d773f5366ff8736a050fe035a28f635fd27 771 | AppAuth: 73574f3013a1e65b9601a3ddc8b3158cce68c09d 772 | boost-for-react-native: 39c7adb57c4e60d6c5479dd8623128eb5b3f0f2c 773 | BoringSSL-GRPC: db8764df3204ccea016e1c8dd15d9a9ad63ff318 774 | Crashlytics: 07fb167b1694128c1c9a5a5cc319b0e9c3ca0933 775 | DoubleConversion: 5805e889d232975c086db112ece9ed034df7a0b2 776 | Fabric: f988e33c97f08930a413e08123064d2e5f68d655 777 | FBLazyVector: aaeaf388755e4f29cd74acbc9e3b8da6d807c37f 778 | FBReactNativeSpec: 118d0d177724c2d67f08a59136eb29ef5943ec75 779 | Firebase: 458d109512200d1aca2e1b9b6cf7d68a869a4a46 780 | FirebaseABTesting: 0d10f3cdc3fa00f3f175b5b56c1003c8e888299f 781 | FirebaseAnalytics: 45f36d9c429fc91d206283900ab75390cd05ee8a 782 | FirebaseAnalyticsInterop: d48b6ab67bcf016a05e55b71fc39c61c0cb6b7f3 783 | FirebaseAuth: 7d0f84873926f6648bbd1391a318dfb1a26b5e4f 784 | FirebaseAuthInterop: 0ffa57668be100582bb7643d4fcb7615496c41fc 785 | FirebaseCore: 307ea2508df730c5865334e41965bd9ea344b0e5 786 | FirebaseCoreDiagnostics: 511f4f3ed7d440bb69127e8b97c2bc8befae639e 787 | FirebaseCoreDiagnosticsInterop: e9b1b023157e3a2fc6418b5cb601e79b9af7b3a0 788 | FirebaseFirestore: 2e92e977280d63ecbf3fd58bdbfaf9145abb880f 789 | FirebaseInAppMessaging: acbfa8c5582b11ccc0366511d29ef1d288f302fc 790 | FirebaseInAppMessagingDisplay: 60a65c8277f17675a8a5b92e9a97cd914b45d4ff 791 | FirebaseInstanceID: ebd2ea79ee38db0cb5f5167b17a0d387e1cc7b6e 792 | FirebaseRemoteConfig: 6ad68503c04701b8d9d709240711bc0bf6edaf94 793 | FirebaseStorage: 046abe9ac4e2a1a0e47d72f536490ffa50896632 794 | Folly: 30e7936e1c45c08d884aa59369ed951a8e68cf51 795 | glog: 1f3da668190260b06b429bb211bfbee5cd790c28 796 | GoogleAppMeasurement: dfe55efa543e899d906309eaaac6ca26d249862f 797 | GoogleDataTransport: 8e9b210c97d55fbff306cc5468ff91b9cb32dcf5 798 | GoogleDataTransportCCTSupport: ef79a4728b864946a8aafdbab770d5294faf3b5f 799 | GoogleSignIn: 7137d297ddc022a7e0aa4619c86d72c909fa7213 800 | GoogleUtilities: 547a86735c6f0ee30ad17e94df4fc21f616b71cb 801 | "gRPC-C++": 9dfe7b44821e7b3e44aacad2af29d2c21f7cde83 802 | gRPC-Core: c9aef9a261a1247e881b18059b84d597293c9947 803 | GTMAppAuth: 4deac854479704f348309e7b66189e604cf5e01e 804 | GTMSessionFetcher: 43b8b64263023d4f32caa0b40f4c8bfa3c5f36d8 805 | leveldb-library: 55d93ee664b4007aac644a782d11da33fba316f7 806 | nanopb: 18003b5e52dab79db540fe93fe9579f399bd1ccd 807 | Protobuf: 394b2bf29ec303f4325e3ee4892c09e675647152 808 | RCTRequired: b153add4da6e7dbc44aebf93f3cf4fcae392ddf1 809 | RCTTypeSafety: 9aa1b91d7f9310fc6eadc3cf95126ffe818af320 810 | React: b6a59ef847b2b40bb6e0180a97d0ca716969ac78 811 | React-Core: 688b451f7d616cc1134ac95295b593d1b5158a04 812 | React-CoreModules: d04f8494c1a328b69ec11db9d1137d667f916dcb 813 | React-cxxreact: d0f7bcafa196ae410e5300736b424455e7fb7ba7 814 | React-jsi: cb2cd74d7ccf4cffb071a46833613edc79cdf8f7 815 | React-jsiexecutor: d5525f9ed5f782fdbacb64b9b01a43a9323d2386 816 | React-jsinspector: fa0ecc501688c3c4c34f28834a76302233e29dc0 817 | react-native-cameraroll: 3e5e34d36d93548ae7770ee8ab7b2ae9e778f571 818 | react-native-safe-area-context: 13004a45f3021328fdd9ee1f987c3131fb65928d 819 | React-RCTActionSheet: 600b4d10e3aea0913b5a92256d2719c0cdd26d76 820 | React-RCTAnimation: 791a87558389c80908ed06cc5dfc5e7920dfa360 821 | React-RCTBlob: d89293cc0236d9cb0933d85e430b0bbe81ad1d72 822 | React-RCTImage: 6b8e8df449eb7c814c99a92d6b52de6fe39dea4e 823 | React-RCTLinking: 121bb231c7503cf9094f4d8461b96a130fabf4a5 824 | React-RCTNetwork: fb353640aafcee84ca8b78957297bd395f065c9a 825 | React-RCTSettings: 8db258ea2a5efee381fcf7a6d5044e2f8b68b640 826 | React-RCTText: 9ccc88273e9a3aacff5094d2175a605efa854dbe 827 | React-RCTVibration: a49a1f42bf8f5acf1c3e297097517c6b3af377ad 828 | ReactCommon: 198c7c8d3591f975e5431bec1b0b3b581aa1c5dd 829 | RNCMaskedView: b79e193409a90bf6b5170d421684f437ff4e2278 830 | RNFBApp: edeadb99669dd39f9d7f8f7f68d420fda4d8b7d8 831 | RNFBAuth: ed3f9103bada30d38bf7e3a7e1431e69eca0e314 832 | RNFBCrashlytics: ba2007fd3e5c526ea3687d1035b17a06b290b7ce 833 | RNFBFirestore: bd3644bd512cc6f78e13d34ea13e7e642ac3c1b2 834 | RNFBIid: a3190639e90fe7baf844ccfa7383051cf48367c3 835 | RNFBInAppMessaging: 87a300659348ebd2b627d23fd7a0e0743b568039 836 | RNFBRemoteConfig: 0390026a43f17c30c948c5ece4badc5e7a95b938 837 | RNFBStorage: 9d058dc854aa543683d02b9867f0f22f05ea7e07 838 | RNGestureHandler: 4cb47a93019c1a201df2644413a0a1569a51c8aa 839 | RNGoogleSignin: a10b849c165088c737d4465de6c2062f24d06002 840 | RNReanimated: 6abbbae2e5e72609d85aabd92a982a94566885f1 841 | RNScreens: f28b48b8345f2f5f39ed6195518291515032a788 842 | RNVectorIcons: 0bb4def82230be1333ddaeee9fcba45f0b288ed4 843 | Yoga: f2a7cd4280bfe2cca5a7aed98ba0eb3d1310f18b 844 | 845 | PODFILE CHECKSUM: b01f7f4f4da95d582385b2e59ba93cd585b56f8b 846 | 847 | COCOAPODS: 1.8.4 848 | -------------------------------------------------------------------------------- /ios/WorkshopApp-tvOS/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | CFBundleDevelopmentRegion 6 | en 7 | CFBundleExecutable 8 | $(EXECUTABLE_NAME) 9 | CFBundleIdentifier 10 | $(PRODUCT_BUNDLE_IDENTIFIER) 11 | CFBundleInfoDictionaryVersion 12 | 6.0 13 | CFBundleName 14 | $(PRODUCT_NAME) 15 | CFBundlePackageType 16 | APPL 17 | CFBundleShortVersionString 18 | 1.0 19 | CFBundleSignature 20 | ???? 21 | CFBundleVersion 22 | 1 23 | LSRequiresIPhoneOS 24 | 25 | NSAppTransportSecurity 26 | 27 | NSExceptionDomains 28 | 29 | localhost 30 | 31 | NSExceptionAllowsInsecureHTTPLoads 32 | 33 | 34 | 35 | 36 | NSLocationWhenInUseUsageDescription 37 | 38 | UILaunchStoryboardName 39 | LaunchScreen 40 | UIRequiredDeviceCapabilities 41 | 42 | armv7 43 | 44 | UISupportedInterfaceOrientations 45 | 46 | UIInterfaceOrientationPortrait 47 | UIInterfaceOrientationLandscapeLeft 48 | UIInterfaceOrientationLandscapeRight 49 | 50 | UIViewControllerBasedStatusBarAppearance 51 | 52 | 53 | 54 | -------------------------------------------------------------------------------- /ios/WorkshopApp-tvOSTests/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | CFBundleDevelopmentRegion 6 | en 7 | CFBundleExecutable 8 | $(EXECUTABLE_NAME) 9 | CFBundleIdentifier 10 | org.reactjs.native.example.$(PRODUCT_NAME:rfc1034identifier) 11 | CFBundleInfoDictionaryVersion 12 | 6.0 13 | CFBundleName 14 | $(PRODUCT_NAME) 15 | CFBundlePackageType 16 | BNDL 17 | CFBundleShortVersionString 18 | 1.0 19 | CFBundleSignature 20 | ???? 21 | CFBundleVersion 22 | 1 23 | 24 | 25 | -------------------------------------------------------------------------------- /ios/WorkshopApp.xcodeproj/project.pbxproj: -------------------------------------------------------------------------------- 1 | // !$*UTF8*$! 2 | { 3 | archiveVersion = 1; 4 | classes = { 5 | }; 6 | objectVersion = 46; 7 | objects = { 8 | /* Begin PBXBuildFile section */ 9 | 00E356F31AD99517003FC87E /* WorkshopAppTests.m in Sources */ = {isa = PBXBuildFile; fileRef = 00E356F21AD99517003FC87E /* WorkshopAppTests.m */; }; 10 | 13B07FBC1A68108700A75B9A /* AppDelegate.m in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB01A68108700A75B9A /* AppDelegate.m */; }; 11 | 13B07FBD1A68108700A75B9A /* LaunchScreen.xib in Resources */ = {isa = PBXBuildFile; fileRef = 13B07FB11A68108700A75B9A /* LaunchScreen.xib */; }; 12 | 13B07FBF1A68108700A75B9A /* Images.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 13B07FB51A68108700A75B9A /* Images.xcassets */; }; 13 | 13B07FC11A68108700A75B9A /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB71A68108700A75B9A /* main.m */; }; 14 | 2D02E4BC1E0B4A80006451C7 /* AppDelegate.m in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB01A68108700A75B9A /* AppDelegate.m */; }; 15 | 2D02E4BD1E0B4A84006451C7 /* Images.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 13B07FB51A68108700A75B9A /* Images.xcassets */; }; 16 | 2D02E4BF1E0B4AB3006451C7 /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB71A68108700A75B9A /* main.m */; }; 17 | 2DCD954D1E0B4F2C00145EB5 /* WorkshopAppTests.m in Sources */ = {isa = PBXBuildFile; fileRef = 00E356F21AD99517003FC87E /* WorkshopAppTests.m */; }; 18 | 37ECEBD969B277034A864760 /* libPods-WorkshopAppTests.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 15757B63589BE36AB183C9C4 /* libPods-WorkshopAppTests.a */; }; 19 | 6559A9AAB4D162AD625E46CF /* libPods-WorkshopApp-tvOSTests.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 815063C5DA615734814375F1 /* libPods-WorkshopApp-tvOSTests.a */; }; 20 | 99DA03D4236197FD0033409D /* GoogleService-Info.plist in Resources */ = {isa = PBXBuildFile; fileRef = 99DA03D3236197FD0033409D /* GoogleService-Info.plist */; }; 21 | E2467240D678FC530C4DBFC0 /* libPods-WorkshopApp-tvOS.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 9ED913EB03E98D8DF748ACA1 /* libPods-WorkshopApp-tvOS.a */; }; 22 | F9CFA9DAAB90ED0E44CFE6B4 /* libPods-WorkshopApp.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 65A56A0059B791FB2E7A482F /* libPods-WorkshopApp.a */; }; 23 | /* End PBXBuildFile section */ 24 | 25 | /* Begin PBXContainerItemProxy section */ 26 | 00E356F41AD99517003FC87E /* PBXContainerItemProxy */ = { 27 | isa = PBXContainerItemProxy; 28 | containerPortal = 83CBB9F71A601CBA00E9B192 /* Project object */; 29 | proxyType = 1; 30 | remoteGlobalIDString = 13B07F861A680F5B00A75B9A; 31 | remoteInfo = WorkshopApp; 32 | }; 33 | 2D02E4911E0B4A5D006451C7 /* PBXContainerItemProxy */ = { 34 | isa = PBXContainerItemProxy; 35 | containerPortal = 83CBB9F71A601CBA00E9B192 /* Project object */; 36 | proxyType = 1; 37 | remoteGlobalIDString = 2D02E47A1E0B4A5D006451C7; 38 | remoteInfo = "WorkshopApp-tvOS"; 39 | }; 40 | /* End PBXContainerItemProxy section */ 41 | 42 | /* Begin PBXFileReference section */ 43 | 008F07F21AC5B25A0029DE68 /* main.jsbundle */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = main.jsbundle; sourceTree = ""; }; 44 | 00E356EE1AD99517003FC87E /* WorkshopAppTests.xctest */ = {isa = PBXFileReference; explicitFileType = wrapper.cfbundle; includeInIndex = 0; path = WorkshopAppTests.xctest; sourceTree = BUILT_PRODUCTS_DIR; }; 45 | 00E356F11AD99517003FC87E /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 46 | 00E356F21AD99517003FC87E /* WorkshopAppTests.m */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = WorkshopAppTests.m; sourceTree = ""; }; 47 | 13B07F961A680F5B00A75B9A /* WorkshopApp.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = WorkshopApp.app; sourceTree = BUILT_PRODUCTS_DIR; }; 48 | 13B07FAF1A68108700A75B9A /* AppDelegate.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = AppDelegate.h; path = WorkshopApp/AppDelegate.h; sourceTree = ""; }; 49 | 13B07FB01A68108700A75B9A /* AppDelegate.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; name = AppDelegate.m; path = WorkshopApp/AppDelegate.m; sourceTree = ""; }; 50 | 13B07FB21A68108700A75B9A /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.xib; name = Base; path = Base.lproj/LaunchScreen.xib; sourceTree = ""; }; 51 | 13B07FB51A68108700A75B9A /* Images.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; name = Images.xcassets; path = WorkshopApp/Images.xcassets; sourceTree = ""; }; 52 | 13B07FB61A68108700A75B9A /* Info.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = Info.plist; path = WorkshopApp/Info.plist; sourceTree = ""; }; 53 | 13B07FB71A68108700A75B9A /* main.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; name = main.m; path = WorkshopApp/main.m; sourceTree = ""; }; 54 | 15757B63589BE36AB183C9C4 /* libPods-WorkshopAppTests.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = "libPods-WorkshopAppTests.a"; sourceTree = BUILT_PRODUCTS_DIR; }; 55 | 1A32B50B0578E47F876AF070 /* Pods-WorkshopApp.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp.release.xcconfig"; path = "Target Support Files/Pods-WorkshopApp/Pods-WorkshopApp.release.xcconfig"; sourceTree = ""; }; 56 | 296360D1213F0FC93B23164D /* Pods-WorkshopApp-tvOS.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp-tvOS.debug.xcconfig"; path = "Target Support Files/Pods-WorkshopApp-tvOS/Pods-WorkshopApp-tvOS.debug.xcconfig"; sourceTree = ""; }; 57 | 2D02E47B1E0B4A5D006451C7 /* WorkshopApp-tvOS.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = "WorkshopApp-tvOS.app"; sourceTree = BUILT_PRODUCTS_DIR; }; 58 | 2D02E4901E0B4A5D006451C7 /* WorkshopApp-tvOSTests.xctest */ = {isa = PBXFileReference; explicitFileType = wrapper.cfbundle; includeInIndex = 0; path = "WorkshopApp-tvOSTests.xctest"; sourceTree = BUILT_PRODUCTS_DIR; }; 59 | 2F36A69A9847FF24F4982ABF /* Pods-WorkshopAppTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopAppTests.debug.xcconfig"; path = "Target Support Files/Pods-WorkshopAppTests/Pods-WorkshopAppTests.debug.xcconfig"; sourceTree = ""; }; 60 | 5F1E654F8C0ED72AB5A43A97 /* Pods-WorkshopApp-tvOS.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp-tvOS.release.xcconfig"; path = "Target Support Files/Pods-WorkshopApp-tvOS/Pods-WorkshopApp-tvOS.release.xcconfig"; sourceTree = ""; }; 61 | 65A56A0059B791FB2E7A482F /* libPods-WorkshopApp.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = "libPods-WorkshopApp.a"; sourceTree = BUILT_PRODUCTS_DIR; }; 62 | 815063C5DA615734814375F1 /* libPods-WorkshopApp-tvOSTests.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = "libPods-WorkshopApp-tvOSTests.a"; sourceTree = BUILT_PRODUCTS_DIR; }; 63 | 8AC886A5A302611B8EE039B6 /* Pods-WorkshopApp.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp.debug.xcconfig"; path = "Target Support Files/Pods-WorkshopApp/Pods-WorkshopApp.debug.xcconfig"; sourceTree = ""; }; 64 | 99DA03D3236197FD0033409D /* GoogleService-Info.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = "GoogleService-Info.plist"; path = "../../../../Downloads/GoogleService-Info.plist"; sourceTree = ""; }; 65 | 9ED913EB03E98D8DF748ACA1 /* libPods-WorkshopApp-tvOS.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = "libPods-WorkshopApp-tvOS.a"; sourceTree = BUILT_PRODUCTS_DIR; }; 66 | AEFFB1AB0283F5B1943A829A /* Pods-WorkshopApp-tvOSTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp-tvOSTests.debug.xcconfig"; path = "Target Support Files/Pods-WorkshopApp-tvOSTests/Pods-WorkshopApp-tvOSTests.debug.xcconfig"; sourceTree = ""; }; 67 | D14E0A650E303054DD0BDF19 /* Pods-WorkshopAppTests.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopAppTests.release.xcconfig"; path = "Target Support Files/Pods-WorkshopAppTests/Pods-WorkshopAppTests.release.xcconfig"; sourceTree = ""; }; 68 | ED297162215061F000B7C4FE /* JavaScriptCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = JavaScriptCore.framework; path = System/Library/Frameworks/JavaScriptCore.framework; sourceTree = SDKROOT; }; 69 | ED2971642150620600B7C4FE /* JavaScriptCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = JavaScriptCore.framework; path = Platforms/AppleTVOS.platform/Developer/SDKs/AppleTVOS12.0.sdk/System/Library/Frameworks/JavaScriptCore.framework; sourceTree = DEVELOPER_DIR; }; 70 | F1860D328FBF3B8365FEAD4A /* Pods-WorkshopApp-tvOSTests.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WorkshopApp-tvOSTests.release.xcconfig"; path = "Target Support Files/Pods-WorkshopApp-tvOSTests/Pods-WorkshopApp-tvOSTests.release.xcconfig"; sourceTree = ""; }; 71 | /* End PBXFileReference section */ 72 | 73 | /* Begin PBXFrameworksBuildPhase section */ 74 | 00E356EB1AD99517003FC87E /* Frameworks */ = { 75 | isa = PBXFrameworksBuildPhase; 76 | buildActionMask = 2147483647; 77 | files = ( 78 | 37ECEBD969B277034A864760 /* libPods-WorkshopAppTests.a in Frameworks */, 79 | ); 80 | runOnlyForDeploymentPostprocessing = 0; 81 | }; 82 | 13B07F8C1A680F5B00A75B9A /* Frameworks */ = { 83 | isa = PBXFrameworksBuildPhase; 84 | buildActionMask = 2147483647; 85 | files = ( 86 | F9CFA9DAAB90ED0E44CFE6B4 /* libPods-WorkshopApp.a in Frameworks */, 87 | ); 88 | runOnlyForDeploymentPostprocessing = 0; 89 | }; 90 | 2D02E4781E0B4A5D006451C7 /* Frameworks */ = { 91 | isa = PBXFrameworksBuildPhase; 92 | buildActionMask = 2147483647; 93 | files = ( 94 | E2467240D678FC530C4DBFC0 /* libPods-WorkshopApp-tvOS.a in Frameworks */, 95 | ); 96 | runOnlyForDeploymentPostprocessing = 0; 97 | }; 98 | 2D02E48D1E0B4A5D006451C7 /* Frameworks */ = { 99 | isa = PBXFrameworksBuildPhase; 100 | buildActionMask = 2147483647; 101 | files = ( 102 | 6559A9AAB4D162AD625E46CF /* libPods-WorkshopApp-tvOSTests.a in Frameworks */, 103 | ); 104 | runOnlyForDeploymentPostprocessing = 0; 105 | }; 106 | /* End PBXFrameworksBuildPhase section */ 107 | 108 | /* Begin PBXGroup section */ 109 | 00E356EF1AD99517003FC87E /* WorkshopAppTests */ = { 110 | isa = PBXGroup; 111 | children = ( 112 | 00E356F21AD99517003FC87E /* WorkshopAppTests.m */, 113 | 00E356F01AD99517003FC87E /* Supporting Files */, 114 | ); 115 | path = WorkshopAppTests; 116 | sourceTree = ""; 117 | }; 118 | 00E356F01AD99517003FC87E /* Supporting Files */ = { 119 | isa = PBXGroup; 120 | children = ( 121 | 00E356F11AD99517003FC87E /* Info.plist */, 122 | ); 123 | name = "Supporting Files"; 124 | sourceTree = ""; 125 | }; 126 | 13B07FAE1A68108700A75B9A /* WorkshopApp */ = { 127 | isa = PBXGroup; 128 | children = ( 129 | 008F07F21AC5B25A0029DE68 /* main.jsbundle */, 130 | 13B07FAF1A68108700A75B9A /* AppDelegate.h */, 131 | 13B07FB01A68108700A75B9A /* AppDelegate.m */, 132 | 13B07FB51A68108700A75B9A /* Images.xcassets */, 133 | 13B07FB61A68108700A75B9A /* Info.plist */, 134 | 13B07FB11A68108700A75B9A /* LaunchScreen.xib */, 135 | 13B07FB71A68108700A75B9A /* main.m */, 136 | ); 137 | name = WorkshopApp; 138 | sourceTree = ""; 139 | }; 140 | 26554EFDE39C4219B0BFC1DD /* Resources */ = { 141 | isa = PBXGroup; 142 | children = ( 143 | ); 144 | name = Resources; 145 | sourceTree = ""; 146 | }; 147 | 2D16E6871FA4F8E400B85C8A /* Frameworks */ = { 148 | isa = PBXGroup; 149 | children = ( 150 | ED297162215061F000B7C4FE /* JavaScriptCore.framework */, 151 | ED2971642150620600B7C4FE /* JavaScriptCore.framework */, 152 | 65A56A0059B791FB2E7A482F /* libPods-WorkshopApp.a */, 153 | 9ED913EB03E98D8DF748ACA1 /* libPods-WorkshopApp-tvOS.a */, 154 | 815063C5DA615734814375F1 /* libPods-WorkshopApp-tvOSTests.a */, 155 | 15757B63589BE36AB183C9C4 /* libPods-WorkshopAppTests.a */, 156 | ); 157 | name = Frameworks; 158 | sourceTree = ""; 159 | }; 160 | 7D583198133EF4F9D254D121 /* Pods */ = { 161 | isa = PBXGroup; 162 | children = ( 163 | 8AC886A5A302611B8EE039B6 /* Pods-WorkshopApp.debug.xcconfig */, 164 | 1A32B50B0578E47F876AF070 /* Pods-WorkshopApp.release.xcconfig */, 165 | 296360D1213F0FC93B23164D /* Pods-WorkshopApp-tvOS.debug.xcconfig */, 166 | 5F1E654F8C0ED72AB5A43A97 /* Pods-WorkshopApp-tvOS.release.xcconfig */, 167 | AEFFB1AB0283F5B1943A829A /* Pods-WorkshopApp-tvOSTests.debug.xcconfig */, 168 | F1860D328FBF3B8365FEAD4A /* Pods-WorkshopApp-tvOSTests.release.xcconfig */, 169 | 2F36A69A9847FF24F4982ABF /* Pods-WorkshopAppTests.debug.xcconfig */, 170 | D14E0A650E303054DD0BDF19 /* Pods-WorkshopAppTests.release.xcconfig */, 171 | ); 172 | path = Pods; 173 | sourceTree = ""; 174 | }; 175 | 832341AE1AAA6A7D00B99B32 /* Libraries */ = { 176 | isa = PBXGroup; 177 | children = ( 178 | ); 179 | name = Libraries; 180 | sourceTree = ""; 181 | }; 182 | 83CBB9F61A601CBA00E9B192 = { 183 | isa = PBXGroup; 184 | children = ( 185 | 99DA03D3236197FD0033409D /* GoogleService-Info.plist */, 186 | 13B07FAE1A68108700A75B9A /* WorkshopApp */, 187 | 832341AE1AAA6A7D00B99B32 /* Libraries */, 188 | 00E356EF1AD99517003FC87E /* WorkshopAppTests */, 189 | 83CBBA001A601CBA00E9B192 /* Products */, 190 | 2D16E6871FA4F8E400B85C8A /* Frameworks */, 191 | 7D583198133EF4F9D254D121 /* Pods */, 192 | 26554EFDE39C4219B0BFC1DD /* Resources */, 193 | ); 194 | indentWidth = 2; 195 | sourceTree = ""; 196 | tabWidth = 2; 197 | usesTabs = 0; 198 | }; 199 | 83CBBA001A601CBA00E9B192 /* Products */ = { 200 | isa = PBXGroup; 201 | children = ( 202 | 13B07F961A680F5B00A75B9A /* WorkshopApp.app */, 203 | 00E356EE1AD99517003FC87E /* WorkshopAppTests.xctest */, 204 | 2D02E47B1E0B4A5D006451C7 /* WorkshopApp-tvOS.app */, 205 | 2D02E4901E0B4A5D006451C7 /* WorkshopApp-tvOSTests.xctest */, 206 | ); 207 | name = Products; 208 | sourceTree = ""; 209 | }; 210 | /* End PBXGroup section */ 211 | 212 | /* Begin PBXNativeTarget section */ 213 | 00E356ED1AD99517003FC87E /* WorkshopAppTests */ = { 214 | isa = PBXNativeTarget; 215 | buildConfigurationList = 00E357021AD99517003FC87E /* Build configuration list for PBXNativeTarget "WorkshopAppTests" */; 216 | buildPhases = ( 217 | E4F6EB3F3400CA79C4FEBE83 /* [CP] Check Pods Manifest.lock */, 218 | 00E356EA1AD99517003FC87E /* Sources */, 219 | 00E356EB1AD99517003FC87E /* Frameworks */, 220 | 00E356EC1AD99517003FC87E /* Resources */, 221 | ); 222 | buildRules = ( 223 | ); 224 | dependencies = ( 225 | 00E356F51AD99517003FC87E /* PBXTargetDependency */, 226 | ); 227 | name = WorkshopAppTests; 228 | productName = WorkshopAppTests; 229 | productReference = 00E356EE1AD99517003FC87E /* WorkshopAppTests.xctest */; 230 | productType = "com.apple.product-type.bundle.unit-test"; 231 | }; 232 | 13B07F861A680F5B00A75B9A /* WorkshopApp */ = { 233 | isa = PBXNativeTarget; 234 | buildConfigurationList = 13B07F931A680F5B00A75B9A /* Build configuration list for PBXNativeTarget "WorkshopApp" */; 235 | buildPhases = ( 236 | D0F45A959D96673BEBFDBDFB /* [CP] Check Pods Manifest.lock */, 237 | FD10A7F022414F080027D42C /* Start Packager */, 238 | 13B07F871A680F5B00A75B9A /* Sources */, 239 | 13B07F8C1A680F5B00A75B9A /* Frameworks */, 240 | 13B07F8E1A680F5B00A75B9A /* Resources */, 241 | 00DD1BFF1BD5951E006B06BC /* Bundle React Native code and images */, 242 | 0E3F80C116F3A2974F3DA5BE /* [CP-User] [RNFB] Core Configuration */, 243 | 441AD71C53FB132934B78B2F /* [CP] Copy Pods Resources */, 244 | 7B401E67FAC13585D7653EF9 /* [CP-User] [RNFB] Crashlytics Configuration */, 245 | ); 246 | buildRules = ( 247 | ); 248 | dependencies = ( 249 | ); 250 | name = WorkshopApp; 251 | productName = WorkshopApp; 252 | productReference = 13B07F961A680F5B00A75B9A /* WorkshopApp.app */; 253 | productType = "com.apple.product-type.application"; 254 | }; 255 | 2D02E47A1E0B4A5D006451C7 /* WorkshopApp-tvOS */ = { 256 | isa = PBXNativeTarget; 257 | buildConfigurationList = 2D02E4BA1E0B4A5E006451C7 /* Build configuration list for PBXNativeTarget "WorkshopApp-tvOS" */; 258 | buildPhases = ( 259 | 32012FABED33FE73544F1186 /* [CP] Check Pods Manifest.lock */, 260 | FD10A7F122414F3F0027D42C /* Start Packager */, 261 | 2D02E4771E0B4A5D006451C7 /* Sources */, 262 | 2D02E4781E0B4A5D006451C7 /* Frameworks */, 263 | 2D02E4791E0B4A5D006451C7 /* Resources */, 264 | 2D02E4CB1E0B4B27006451C7 /* Bundle React Native Code And Images */, 265 | ); 266 | buildRules = ( 267 | ); 268 | dependencies = ( 269 | ); 270 | name = "WorkshopApp-tvOS"; 271 | productName = "WorkshopApp-tvOS"; 272 | productReference = 2D02E47B1E0B4A5D006451C7 /* WorkshopApp-tvOS.app */; 273 | productType = "com.apple.product-type.application"; 274 | }; 275 | 2D02E48F1E0B4A5D006451C7 /* WorkshopApp-tvOSTests */ = { 276 | isa = PBXNativeTarget; 277 | buildConfigurationList = 2D02E4BB1E0B4A5E006451C7 /* Build configuration list for PBXNativeTarget "WorkshopApp-tvOSTests" */; 278 | buildPhases = ( 279 | 5A395EC7648DA2E5FD276D17 /* [CP] Check Pods Manifest.lock */, 280 | 2D02E48C1E0B4A5D006451C7 /* Sources */, 281 | 2D02E48D1E0B4A5D006451C7 /* Frameworks */, 282 | 2D02E48E1E0B4A5D006451C7 /* Resources */, 283 | ); 284 | buildRules = ( 285 | ); 286 | dependencies = ( 287 | 2D02E4921E0B4A5D006451C7 /* PBXTargetDependency */, 288 | ); 289 | name = "WorkshopApp-tvOSTests"; 290 | productName = "WorkshopApp-tvOSTests"; 291 | productReference = 2D02E4901E0B4A5D006451C7 /* WorkshopApp-tvOSTests.xctest */; 292 | productType = "com.apple.product-type.bundle.unit-test"; 293 | }; 294 | /* End PBXNativeTarget section */ 295 | 296 | /* Begin PBXProject section */ 297 | 83CBB9F71A601CBA00E9B192 /* Project object */ = { 298 | isa = PBXProject; 299 | attributes = { 300 | LastUpgradeCheck = 940; 301 | ORGANIZATIONNAME = Facebook; 302 | TargetAttributes = { 303 | 00E356ED1AD99517003FC87E = { 304 | CreatedOnToolsVersion = 6.2; 305 | TestTargetID = 13B07F861A680F5B00A75B9A; 306 | }; 307 | 2D02E47A1E0B4A5D006451C7 = { 308 | CreatedOnToolsVersion = 8.2.1; 309 | ProvisioningStyle = Automatic; 310 | }; 311 | 2D02E48F1E0B4A5D006451C7 = { 312 | CreatedOnToolsVersion = 8.2.1; 313 | ProvisioningStyle = Automatic; 314 | TestTargetID = 2D02E47A1E0B4A5D006451C7; 315 | }; 316 | }; 317 | }; 318 | buildConfigurationList = 83CBB9FA1A601CBA00E9B192 /* Build configuration list for PBXProject "WorkshopApp" */; 319 | compatibilityVersion = "Xcode 3.2"; 320 | developmentRegion = English; 321 | hasScannedForEncodings = 0; 322 | knownRegions = ( 323 | English, 324 | en, 325 | Base, 326 | ); 327 | mainGroup = 83CBB9F61A601CBA00E9B192; 328 | productRefGroup = 83CBBA001A601CBA00E9B192 /* Products */; 329 | projectDirPath = ""; 330 | projectRoot = ""; 331 | targets = ( 332 | 13B07F861A680F5B00A75B9A /* WorkshopApp */, 333 | 00E356ED1AD99517003FC87E /* WorkshopAppTests */, 334 | 2D02E47A1E0B4A5D006451C7 /* WorkshopApp-tvOS */, 335 | 2D02E48F1E0B4A5D006451C7 /* WorkshopApp-tvOSTests */, 336 | ); 337 | }; 338 | /* End PBXProject section */ 339 | 340 | /* Begin PBXResourcesBuildPhase section */ 341 | 00E356EC1AD99517003FC87E /* Resources */ = { 342 | isa = PBXResourcesBuildPhase; 343 | buildActionMask = 2147483647; 344 | files = ( 345 | ); 346 | runOnlyForDeploymentPostprocessing = 0; 347 | }; 348 | 13B07F8E1A680F5B00A75B9A /* Resources */ = { 349 | isa = PBXResourcesBuildPhase; 350 | buildActionMask = 2147483647; 351 | files = ( 352 | 13B07FBF1A68108700A75B9A /* Images.xcassets in Resources */, 353 | 13B07FBD1A68108700A75B9A /* LaunchScreen.xib in Resources */, 354 | 99DA03D4236197FD0033409D /* GoogleService-Info.plist in Resources */, 355 | ); 356 | runOnlyForDeploymentPostprocessing = 0; 357 | }; 358 | 2D02E4791E0B4A5D006451C7 /* Resources */ = { 359 | isa = PBXResourcesBuildPhase; 360 | buildActionMask = 2147483647; 361 | files = ( 362 | 2D02E4BD1E0B4A84006451C7 /* Images.xcassets in Resources */, 363 | ); 364 | runOnlyForDeploymentPostprocessing = 0; 365 | }; 366 | 2D02E48E1E0B4A5D006451C7 /* Resources */ = { 367 | isa = PBXResourcesBuildPhase; 368 | buildActionMask = 2147483647; 369 | files = ( 370 | ); 371 | runOnlyForDeploymentPostprocessing = 0; 372 | }; 373 | /* End PBXResourcesBuildPhase section */ 374 | 375 | /* Begin PBXShellScriptBuildPhase section */ 376 | 00DD1BFF1BD5951E006B06BC /* Bundle React Native code and images */ = { 377 | isa = PBXShellScriptBuildPhase; 378 | buildActionMask = 2147483647; 379 | files = ( 380 | ); 381 | inputPaths = ( 382 | ); 383 | name = "Bundle React Native code and images"; 384 | outputPaths = ( 385 | ); 386 | runOnlyForDeploymentPostprocessing = 0; 387 | shellPath = /bin/sh; 388 | shellScript = "export NODE_BINARY=node\n../node_modules/react-native/scripts/react-native-xcode.sh"; 389 | }; 390 | 0E3F80C116F3A2974F3DA5BE /* [CP-User] [RNFB] Core Configuration */ = { 391 | isa = PBXShellScriptBuildPhase; 392 | buildActionMask = 2147483647; 393 | files = ( 394 | ); 395 | name = "[CP-User] [RNFB] Core Configuration"; 396 | runOnlyForDeploymentPostprocessing = 0; 397 | shellPath = /bin/sh; 398 | shellScript = "#!/usr/bin/env bash\n#\n# Copyright (c) 2016-present Invertase Limited & Contributors\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this library except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by applicable law or agreed to in writing, software\n# distributed under the License is distributed on an \"AS IS\" BASIS,\n# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n# See the License for the specific language governing permissions and\n# limitations under the License.\n#\nset -e\n\n_MAX_LOOKUPS=2;\n_SEARCH_RESULT=''\n_RN_ROOT_EXISTS=''\n_CURRENT_LOOKUPS=1\n_JSON_ROOT=\"'react-native'\"\n_JSON_FILE_NAME='firebase.json'\n_JSON_OUTPUT_BASE64='e30=' # { }\n_CURRENT_SEARCH_DIR=${PROJECT_DIR}\n_PLIST_BUDDY=/usr/libexec/PlistBuddy\n_TARGET_PLIST=\"${BUILT_PRODUCTS_DIR}/${INFOPLIST_PATH}\"\n_DSYM_PLIST=\"${DWARF_DSYM_FOLDER_PATH}/${DWARF_DSYM_FILE_NAME}/Contents/Info.plist\"\n\n# plist arrays\n_PLIST_ENTRY_KEYS=()\n_PLIST_ENTRY_TYPES=()\n_PLIST_ENTRY_VALUES=()\n\nfunction setPlistValue {\n echo \"info: setting plist entry '$1' of type '$2' in file '$4'\"\n ${_PLIST_BUDDY} -c \"Add :$1 $2 '$3'\" $4 || echo \"info: '$1' already exists\"\n}\n\nfunction getFirebaseJsonKeyValue () {\n if [[ ${_RN_ROOT_EXISTS} ]]; then\n ruby -e \"require 'rubygems';require 'json'; output=JSON.parse('$1'); puts output[$_JSON_ROOT]['$2']\"\n else\n echo \"\"\n fi;\n}\n\nfunction jsonBoolToYesNo () {\n if [[ $1 == \"false\" ]]; then\n echo \"NO\"\n elif [[ $1 == \"true\" ]]; then\n echo \"YES\"\n else echo \"NO\"\n fi\n}\n\necho \"info: -> RNFB build script started\"\necho \"info: 1) Locating ${_JSON_FILE_NAME} file:\"\n\nif [[ -z ${_CURRENT_SEARCH_DIR} ]]; then\n _CURRENT_SEARCH_DIR=$(pwd)\nfi;\n\nwhile true; do\n _CURRENT_SEARCH_DIR=$(dirname \"$_CURRENT_SEARCH_DIR\")\n if [[ \"$_CURRENT_SEARCH_DIR\" == \"/\" ]] || [[ ${_CURRENT_LOOKUPS} -gt ${_MAX_LOOKUPS} ]]; then break; fi;\n echo \"info: ($_CURRENT_LOOKUPS of $_MAX_LOOKUPS) Searching in '$_CURRENT_SEARCH_DIR' for a ${_JSON_FILE_NAME} file.\"\n _SEARCH_RESULT=$(find \"$_CURRENT_SEARCH_DIR\" -maxdepth 2 -name ${_JSON_FILE_NAME} -print | head -n 1)\n if [[ ${_SEARCH_RESULT} ]]; then\n echo \"info: ${_JSON_FILE_NAME} found at $_SEARCH_RESULT\"\n break;\n fi;\n _CURRENT_LOOKUPS=$((_CURRENT_LOOKUPS+1))\ndone\n\nif [[ ${_SEARCH_RESULT} ]]; then\n _JSON_OUTPUT_RAW=$(cat \"${_SEARCH_RESULT}\")\n _RN_ROOT_EXISTS=$(ruby -e \"require 'rubygems';require 'json'; output=JSON.parse('$_JSON_OUTPUT_RAW'); puts output[$_JSON_ROOT]\" || echo '')\n\n if [[ ${_RN_ROOT_EXISTS} ]]; then\n _JSON_OUTPUT_BASE64=$(python -c 'import json,sys,base64;print(base64.b64encode(json.dumps(json.loads(open('\"'${_SEARCH_RESULT}'\"').read())['${_JSON_ROOT}'])))' || echo \"e30=\")\n fi\n\n _PLIST_ENTRY_KEYS+=(\"firebase_json_raw\")\n _PLIST_ENTRY_TYPES+=(\"string\")\n _PLIST_ENTRY_VALUES+=(\"$_JSON_OUTPUT_BASE64\")\n\n # config.messaging_auto_init_enabled\n _MESSAGING_AUTO_INIT=$(getFirebaseJsonKeyValue \"$_JSON_OUTPUT_RAW\" \"messaging_auto_init_enabled\")\n if [[ $_MESSAGING_AUTO_INIT ]]; then\n _PLIST_ENTRY_KEYS+=(\"FirebaseMessagingAutoInitEnabled\")\n _PLIST_ENTRY_TYPES+=(\"bool\")\n _PLIST_ENTRY_VALUES+=(\"$(jsonBoolToYesNo \"$_MESSAGING_AUTO_INIT\")\")\n fi\n\n # config.crashlytics_disable_auto_disabler - undocumented for now - mainly for debugging, document if becomes usful\n _CRASHLYTICS_AUTO_DISABLE_ENABLED=$(getFirebaseJsonKeyValue \"$_JSON_OUTPUT_RAW\" \"crashlytics_disable_auto_disabler\")\n if [[ $_CRASHLYTICS_AUTO_DISABLE_ENABLED == \"true\" ]]; then\n echo \"Disabled Crashlytics auto disabler.\" # do nothing\n else\n _PLIST_ENTRY_KEYS+=(\"firebase_crashlytics_collection_enabled\")\n _PLIST_ENTRY_TYPES+=(\"bool\")\n _PLIST_ENTRY_VALUES+=(\"NO\")\n fi\n\n # config.admob_delay_app_measurement_init\n _ADMOB_DELAY_APP_MEASUREMENT=$(getFirebaseJsonKeyValue \"$_JSON_OUTPUT_RAW\" \"admob_delay_app_measurement_init\")\n if [[ $_ADMOB_DELAY_APP_MEASUREMENT == \"true\" ]]; then\n _PLIST_ENTRY_KEYS+=(\"GADDelayAppMeasurementInit\")\n _PLIST_ENTRY_TYPES+=(\"bool\")\n _PLIST_ENTRY_VALUES+=(\"YES\")\n fi\n\n # config.admob_ios_app_id\n _ADMOB_IOS_APP_ID=$(getFirebaseJsonKeyValue \"$_JSON_OUTPUT_RAW\" \"admob_ios_app_id\")\n if [[ $_ADMOB_IOS_APP_ID ]]; then\n _PLIST_ENTRY_KEYS+=(\"GADApplicationIdentifier\")\n _PLIST_ENTRY_TYPES+=(\"string\")\n _PLIST_ENTRY_VALUES+=(\"$_ADMOB_IOS_APP_ID\")\n fi\nelse\n _PLIST_ENTRY_KEYS+=(\"firebase_json_raw\")\n _PLIST_ENTRY_TYPES+=(\"string\")\n _PLIST_ENTRY_VALUES+=(\"$_JSON_OUTPUT_BASE64\")\n echo \"warning: A firebase.json file was not found, whilst this file is optional it is recommended to include it to configure firebase services in React Native Firebase.\"\nfi;\n\necho \"info: 2) Injecting Info.plist entries: \"\n\n# Log out the keys we're adding\nfor i in \"${!_PLIST_ENTRY_KEYS[@]}\"; do\n echo \" -> $i) ${_PLIST_ENTRY_KEYS[$i]}\" \"${_PLIST_ENTRY_TYPES[$i]}\" \"${_PLIST_ENTRY_VALUES[$i]}\"\ndone\n\nfor plist in ${_TARGET_PLIST} ${_DSYM_PLIST} ; do\n if [[ -f ${plist} ]]; then\n for i in \"${!_PLIST_ENTRY_KEYS[@]}\"; do\n setPlistValue \"${_PLIST_ENTRY_KEYS[$i]}\" \"${_PLIST_ENTRY_TYPES[$i]}\" \"${_PLIST_ENTRY_VALUES[$i]}\" \"${plist}\"\n done\n else\n echo \"warning: A Info.plist build output file was not found (${plist})\"\n fi\ndone\n\necho \"info: <- RNFB build script finished\"\n\n\n\n"; 399 | }; 400 | 2D02E4CB1E0B4B27006451C7 /* Bundle React Native Code And Images */ = { 401 | isa = PBXShellScriptBuildPhase; 402 | buildActionMask = 2147483647; 403 | files = ( 404 | ); 405 | inputPaths = ( 406 | ); 407 | name = "Bundle React Native Code And Images"; 408 | outputPaths = ( 409 | ); 410 | runOnlyForDeploymentPostprocessing = 0; 411 | shellPath = /bin/sh; 412 | shellScript = "export NODE_BINARY=node\n../node_modules/react-native/scripts/react-native-xcode.sh"; 413 | }; 414 | 32012FABED33FE73544F1186 /* [CP] Check Pods Manifest.lock */ = { 415 | isa = PBXShellScriptBuildPhase; 416 | buildActionMask = 2147483647; 417 | files = ( 418 | ); 419 | inputFileListPaths = ( 420 | ); 421 | inputPaths = ( 422 | "${PODS_PODFILE_DIR_PATH}/Podfile.lock", 423 | "${PODS_ROOT}/Manifest.lock", 424 | ); 425 | name = "[CP] Check Pods Manifest.lock"; 426 | outputFileListPaths = ( 427 | ); 428 | outputPaths = ( 429 | "$(DERIVED_FILE_DIR)/Pods-WorkshopApp-tvOS-checkManifestLockResult.txt", 430 | ); 431 | runOnlyForDeploymentPostprocessing = 0; 432 | shellPath = /bin/sh; 433 | shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; 434 | showEnvVarsInLog = 0; 435 | }; 436 | 441AD71C53FB132934B78B2F /* [CP] Copy Pods Resources */ = { 437 | isa = PBXShellScriptBuildPhase; 438 | buildActionMask = 2147483647; 439 | files = ( 440 | ); 441 | inputPaths = ( 442 | "${PODS_ROOT}/Target Support Files/Pods-WorkshopApp/Pods-WorkshopApp-resources.sh", 443 | "${PODS_CONFIGURATION_BUILD_DIR}/FirebaseInAppMessagingDisplay/InAppMessagingDisplayResources.bundle", 444 | "${PODS_ROOT}/GoogleSignIn/Resources/GoogleSignIn.bundle", 445 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/AntDesign.ttf", 446 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Entypo.ttf", 447 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/EvilIcons.ttf", 448 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Feather.ttf", 449 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/FontAwesome.ttf", 450 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/FontAwesome5_Brands.ttf", 451 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/FontAwesome5_Regular.ttf", 452 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/FontAwesome5_Solid.ttf", 453 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Fontisto.ttf", 454 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Foundation.ttf", 455 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Ionicons.ttf", 456 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/MaterialCommunityIcons.ttf", 457 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/MaterialIcons.ttf", 458 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Octicons.ttf", 459 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/SimpleLineIcons.ttf", 460 | "${PODS_ROOT}/../../node_modules/react-native-vector-icons/Fonts/Zocial.ttf", 461 | "${PODS_CONFIGURATION_BUILD_DIR}/gRPC-C++/gRPCCertificates-Cpp.bundle", 462 | ); 463 | name = "[CP] Copy Pods Resources"; 464 | outputPaths = ( 465 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/InAppMessagingDisplayResources.bundle", 466 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/GoogleSignIn.bundle", 467 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/AntDesign.ttf", 468 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Entypo.ttf", 469 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/EvilIcons.ttf", 470 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Feather.ttf", 471 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/FontAwesome.ttf", 472 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/FontAwesome5_Brands.ttf", 473 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/FontAwesome5_Regular.ttf", 474 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/FontAwesome5_Solid.ttf", 475 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Fontisto.ttf", 476 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Foundation.ttf", 477 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Ionicons.ttf", 478 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/MaterialCommunityIcons.ttf", 479 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/MaterialIcons.ttf", 480 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Octicons.ttf", 481 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/SimpleLineIcons.ttf", 482 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/Zocial.ttf", 483 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/gRPCCertificates-Cpp.bundle", 484 | ); 485 | runOnlyForDeploymentPostprocessing = 0; 486 | shellPath = /bin/sh; 487 | shellScript = "\"${PODS_ROOT}/Target Support Files/Pods-WorkshopApp/Pods-WorkshopApp-resources.sh\"\n"; 488 | showEnvVarsInLog = 0; 489 | }; 490 | 5A395EC7648DA2E5FD276D17 /* [CP] Check Pods Manifest.lock */ = { 491 | isa = PBXShellScriptBuildPhase; 492 | buildActionMask = 2147483647; 493 | files = ( 494 | ); 495 | inputFileListPaths = ( 496 | ); 497 | inputPaths = ( 498 | "${PODS_PODFILE_DIR_PATH}/Podfile.lock", 499 | "${PODS_ROOT}/Manifest.lock", 500 | ); 501 | name = "[CP] Check Pods Manifest.lock"; 502 | outputFileListPaths = ( 503 | ); 504 | outputPaths = ( 505 | "$(DERIVED_FILE_DIR)/Pods-WorkshopApp-tvOSTests-checkManifestLockResult.txt", 506 | ); 507 | runOnlyForDeploymentPostprocessing = 0; 508 | shellPath = /bin/sh; 509 | shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; 510 | showEnvVarsInLog = 0; 511 | }; 512 | 7B401E67FAC13585D7653EF9 /* [CP-User] [RNFB] Crashlytics Configuration */ = { 513 | isa = PBXShellScriptBuildPhase; 514 | buildActionMask = 2147483647; 515 | files = ( 516 | ); 517 | name = "[CP-User] [RNFB] Crashlytics Configuration"; 518 | runOnlyForDeploymentPostprocessing = 0; 519 | shellPath = /bin/sh; 520 | shellScript = "#!/usr/bin/env bash\n#\n# Copyright (c) 2016-present Invertase Limited & Contributors\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this library except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by applicable law or agreed to in writing, software\n# distributed under the License is distributed on an \"AS IS\" BASIS,\n# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n# See the License for the specific language governing permissions and\n# limitations under the License.\n#\nset -e\n\nif [[ ${PODS_ROOT} ]]; then\n echo \"info: Exec Fabric Run from Pods\"\n ${PODS_ROOT}/Fabric/run\nelse\n echo \"info: Exec Fabric Run from framework\"\n ${PROJECT_DIR}/Fabric.framework/run\nfi\n"; 521 | }; 522 | D0F45A959D96673BEBFDBDFB /* [CP] Check Pods Manifest.lock */ = { 523 | isa = PBXShellScriptBuildPhase; 524 | buildActionMask = 2147483647; 525 | files = ( 526 | ); 527 | inputFileListPaths = ( 528 | ); 529 | inputPaths = ( 530 | "${PODS_PODFILE_DIR_PATH}/Podfile.lock", 531 | "${PODS_ROOT}/Manifest.lock", 532 | ); 533 | name = "[CP] Check Pods Manifest.lock"; 534 | outputFileListPaths = ( 535 | ); 536 | outputPaths = ( 537 | "$(DERIVED_FILE_DIR)/Pods-WorkshopApp-checkManifestLockResult.txt", 538 | ); 539 | runOnlyForDeploymentPostprocessing = 0; 540 | shellPath = /bin/sh; 541 | shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; 542 | showEnvVarsInLog = 0; 543 | }; 544 | E4F6EB3F3400CA79C4FEBE83 /* [CP] Check Pods Manifest.lock */ = { 545 | isa = PBXShellScriptBuildPhase; 546 | buildActionMask = 2147483647; 547 | files = ( 548 | ); 549 | inputFileListPaths = ( 550 | ); 551 | inputPaths = ( 552 | "${PODS_PODFILE_DIR_PATH}/Podfile.lock", 553 | "${PODS_ROOT}/Manifest.lock", 554 | ); 555 | name = "[CP] Check Pods Manifest.lock"; 556 | outputFileListPaths = ( 557 | ); 558 | outputPaths = ( 559 | "$(DERIVED_FILE_DIR)/Pods-WorkshopAppTests-checkManifestLockResult.txt", 560 | ); 561 | runOnlyForDeploymentPostprocessing = 0; 562 | shellPath = /bin/sh; 563 | shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; 564 | showEnvVarsInLog = 0; 565 | }; 566 | FD10A7F022414F080027D42C /* Start Packager */ = { 567 | isa = PBXShellScriptBuildPhase; 568 | buildActionMask = 2147483647; 569 | files = ( 570 | ); 571 | inputFileListPaths = ( 572 | ); 573 | inputPaths = ( 574 | ); 575 | name = "Start Packager"; 576 | outputFileListPaths = ( 577 | ); 578 | outputPaths = ( 579 | ); 580 | runOnlyForDeploymentPostprocessing = 0; 581 | shellPath = /bin/sh; 582 | shellScript = "export RCT_METRO_PORT=\"${RCT_METRO_PORT:=8081}\"\necho \"export RCT_METRO_PORT=${RCT_METRO_PORT}\" > \"${SRCROOT}/../node_modules/react-native/scripts/.packager.env\"\nif [ -z \"${RCT_NO_LAUNCH_PACKAGER+xxx}\" ] ; then\n if nc -w 5 -z localhost ${RCT_METRO_PORT} ; then\n if ! curl -s \"http://localhost:${RCT_METRO_PORT}/status\" | grep -q \"packager-status:running\" ; then\n echo \"Port ${RCT_METRO_PORT} already in use, packager is either not running or not running correctly\"\n exit 2\n fi\n else\n open \"$SRCROOT/../node_modules/react-native/scripts/launchPackager.command\" || echo \"Can't start packager automatically\"\n fi\nfi\n"; 583 | showEnvVarsInLog = 0; 584 | }; 585 | FD10A7F122414F3F0027D42C /* Start Packager */ = { 586 | isa = PBXShellScriptBuildPhase; 587 | buildActionMask = 2147483647; 588 | files = ( 589 | ); 590 | inputFileListPaths = ( 591 | ); 592 | inputPaths = ( 593 | ); 594 | name = "Start Packager"; 595 | outputFileListPaths = ( 596 | ); 597 | outputPaths = ( 598 | ); 599 | runOnlyForDeploymentPostprocessing = 0; 600 | shellPath = /bin/sh; 601 | shellScript = "export RCT_METRO_PORT=\"${RCT_METRO_PORT:=8081}\"\necho \"export RCT_METRO_PORT=${RCT_METRO_PORT}\" > \"${SRCROOT}/../node_modules/react-native/scripts/.packager.env\"\nif [ -z \"${RCT_NO_LAUNCH_PACKAGER+xxx}\" ] ; then\n if nc -w 5 -z localhost ${RCT_METRO_PORT} ; then\n if ! curl -s \"http://localhost:${RCT_METRO_PORT}/status\" | grep -q \"packager-status:running\" ; then\n echo \"Port ${RCT_METRO_PORT} already in use, packager is either not running or not running correctly\"\n exit 2\n fi\n else\n open \"$SRCROOT/../node_modules/react-native/scripts/launchPackager.command\" || echo \"Can't start packager automatically\"\n fi\nfi\n"; 602 | showEnvVarsInLog = 0; 603 | }; 604 | /* End PBXShellScriptBuildPhase section */ 605 | 606 | /* Begin PBXSourcesBuildPhase section */ 607 | 00E356EA1AD99517003FC87E /* Sources */ = { 608 | isa = PBXSourcesBuildPhase; 609 | buildActionMask = 2147483647; 610 | files = ( 611 | 00E356F31AD99517003FC87E /* WorkshopAppTests.m in Sources */, 612 | ); 613 | runOnlyForDeploymentPostprocessing = 0; 614 | }; 615 | 13B07F871A680F5B00A75B9A /* Sources */ = { 616 | isa = PBXSourcesBuildPhase; 617 | buildActionMask = 2147483647; 618 | files = ( 619 | 13B07FBC1A68108700A75B9A /* AppDelegate.m in Sources */, 620 | 13B07FC11A68108700A75B9A /* main.m in Sources */, 621 | ); 622 | runOnlyForDeploymentPostprocessing = 0; 623 | }; 624 | 2D02E4771E0B4A5D006451C7 /* Sources */ = { 625 | isa = PBXSourcesBuildPhase; 626 | buildActionMask = 2147483647; 627 | files = ( 628 | 2D02E4BF1E0B4AB3006451C7 /* main.m in Sources */, 629 | 2D02E4BC1E0B4A80006451C7 /* AppDelegate.m in Sources */, 630 | ); 631 | runOnlyForDeploymentPostprocessing = 0; 632 | }; 633 | 2D02E48C1E0B4A5D006451C7 /* Sources */ = { 634 | isa = PBXSourcesBuildPhase; 635 | buildActionMask = 2147483647; 636 | files = ( 637 | 2DCD954D1E0B4F2C00145EB5 /* WorkshopAppTests.m in Sources */, 638 | ); 639 | runOnlyForDeploymentPostprocessing = 0; 640 | }; 641 | /* End PBXSourcesBuildPhase section */ 642 | 643 | /* Begin PBXTargetDependency section */ 644 | 00E356F51AD99517003FC87E /* PBXTargetDependency */ = { 645 | isa = PBXTargetDependency; 646 | target = 13B07F861A680F5B00A75B9A /* WorkshopApp */; 647 | targetProxy = 00E356F41AD99517003FC87E /* PBXContainerItemProxy */; 648 | }; 649 | 2D02E4921E0B4A5D006451C7 /* PBXTargetDependency */ = { 650 | isa = PBXTargetDependency; 651 | target = 2D02E47A1E0B4A5D006451C7 /* WorkshopApp-tvOS */; 652 | targetProxy = 2D02E4911E0B4A5D006451C7 /* PBXContainerItemProxy */; 653 | }; 654 | /* End PBXTargetDependency section */ 655 | 656 | /* Begin PBXVariantGroup section */ 657 | 13B07FB11A68108700A75B9A /* LaunchScreen.xib */ = { 658 | isa = PBXVariantGroup; 659 | children = ( 660 | 13B07FB21A68108700A75B9A /* Base */, 661 | ); 662 | name = LaunchScreen.xib; 663 | path = WorkshopApp; 664 | sourceTree = ""; 665 | }; 666 | /* End PBXVariantGroup section */ 667 | 668 | /* Begin XCBuildConfiguration section */ 669 | 00E356F61AD99517003FC87E /* Debug */ = { 670 | isa = XCBuildConfiguration; 671 | baseConfigurationReference = 2F36A69A9847FF24F4982ABF /* Pods-WorkshopAppTests.debug.xcconfig */; 672 | buildSettings = { 673 | BUNDLE_LOADER = "$(TEST_HOST)"; 674 | GCC_PREPROCESSOR_DEFINITIONS = ( 675 | "DEBUG=1", 676 | "$(inherited)", 677 | ); 678 | INFOPLIST_FILE = WorkshopAppTests/Info.plist; 679 | IPHONEOS_DEPLOYMENT_TARGET = 9.0; 680 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; 681 | OTHER_LDFLAGS = ( 682 | "-ObjC", 683 | "-lc++", 684 | "$(inherited)", 685 | ); 686 | PRODUCT_BUNDLE_IDENTIFIER = "org.reactjs.native.example.$(PRODUCT_NAME:rfc1034identifier)"; 687 | PRODUCT_NAME = "$(TARGET_NAME)"; 688 | TEST_HOST = "$(BUILT_PRODUCTS_DIR)/WorkshopApp.app/WorkshopApp"; 689 | }; 690 | name = Debug; 691 | }; 692 | 00E356F71AD99517003FC87E /* Release */ = { 693 | isa = XCBuildConfiguration; 694 | baseConfigurationReference = D14E0A650E303054DD0BDF19 /* Pods-WorkshopAppTests.release.xcconfig */; 695 | buildSettings = { 696 | BUNDLE_LOADER = "$(TEST_HOST)"; 697 | COPY_PHASE_STRIP = NO; 698 | INFOPLIST_FILE = WorkshopAppTests/Info.plist; 699 | IPHONEOS_DEPLOYMENT_TARGET = 9.0; 700 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; 701 | OTHER_LDFLAGS = ( 702 | "-ObjC", 703 | "-lc++", 704 | "$(inherited)", 705 | ); 706 | PRODUCT_BUNDLE_IDENTIFIER = "org.reactjs.native.example.$(PRODUCT_NAME:rfc1034identifier)"; 707 | PRODUCT_NAME = "$(TARGET_NAME)"; 708 | TEST_HOST = "$(BUILT_PRODUCTS_DIR)/WorkshopApp.app/WorkshopApp"; 709 | }; 710 | name = Release; 711 | }; 712 | 13B07F941A680F5B00A75B9A /* Debug */ = { 713 | isa = XCBuildConfiguration; 714 | baseConfigurationReference = 8AC886A5A302611B8EE039B6 /* Pods-WorkshopApp.debug.xcconfig */; 715 | buildSettings = { 716 | ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; 717 | CURRENT_PROJECT_VERSION = 1; 718 | DEAD_CODE_STRIPPING = NO; 719 | INFOPLIST_FILE = WorkshopApp/Info.plist; 720 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks"; 721 | OTHER_LDFLAGS = ( 722 | "$(inherited)", 723 | "-ObjC", 724 | "-lc++", 725 | ); 726 | PRODUCT_BUNDLE_IDENTIFIER = "org.reactjs.native.example.$(PRODUCT_NAME:rfc1034identifier)"; 727 | PRODUCT_NAME = WorkshopApp; 728 | VERSIONING_SYSTEM = "apple-generic"; 729 | }; 730 | name = Debug; 731 | }; 732 | 13B07F951A680F5B00A75B9A /* Release */ = { 733 | isa = XCBuildConfiguration; 734 | baseConfigurationReference = 1A32B50B0578E47F876AF070 /* Pods-WorkshopApp.release.xcconfig */; 735 | buildSettings = { 736 | ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; 737 | CURRENT_PROJECT_VERSION = 1; 738 | INFOPLIST_FILE = WorkshopApp/Info.plist; 739 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks"; 740 | OTHER_LDFLAGS = ( 741 | "$(inherited)", 742 | "-ObjC", 743 | "-lc++", 744 | ); 745 | PRODUCT_BUNDLE_IDENTIFIER = "org.reactjs.native.example.$(PRODUCT_NAME:rfc1034identifier)"; 746 | PRODUCT_NAME = WorkshopApp; 747 | VERSIONING_SYSTEM = "apple-generic"; 748 | }; 749 | name = Release; 750 | }; 751 | 2D02E4971E0B4A5E006451C7 /* Debug */ = { 752 | isa = XCBuildConfiguration; 753 | baseConfigurationReference = 296360D1213F0FC93B23164D /* Pods-WorkshopApp-tvOS.debug.xcconfig */; 754 | buildSettings = { 755 | ASSETCATALOG_COMPILER_APPICON_NAME = "App Icon & Top Shelf Image"; 756 | ASSETCATALOG_COMPILER_LAUNCHIMAGE_NAME = LaunchImage; 757 | CLANG_ANALYZER_NONNULL = YES; 758 | CLANG_WARN_DOCUMENTATION_COMMENTS = YES; 759 | CLANG_WARN_INFINITE_RECURSION = YES; 760 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 761 | DEBUG_INFORMATION_FORMAT = dwarf; 762 | ENABLE_TESTABILITY = YES; 763 | GCC_NO_COMMON_BLOCKS = YES; 764 | INFOPLIST_FILE = "WorkshopApp-tvOS/Info.plist"; 765 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks"; 766 | OTHER_LDFLAGS = ( 767 | "$(inherited)", 768 | "-ObjC", 769 | "-lc++", 770 | ); 771 | PRODUCT_BUNDLE_IDENTIFIER = "com.facebook.REACT.WorkshopApp-tvOS"; 772 | PRODUCT_NAME = "$(TARGET_NAME)"; 773 | SDKROOT = appletvos; 774 | TARGETED_DEVICE_FAMILY = 3; 775 | TVOS_DEPLOYMENT_TARGET = 9.2; 776 | }; 777 | name = Debug; 778 | }; 779 | 2D02E4981E0B4A5E006451C7 /* Release */ = { 780 | isa = XCBuildConfiguration; 781 | baseConfigurationReference = 5F1E654F8C0ED72AB5A43A97 /* Pods-WorkshopApp-tvOS.release.xcconfig */; 782 | buildSettings = { 783 | ASSETCATALOG_COMPILER_APPICON_NAME = "App Icon & Top Shelf Image"; 784 | ASSETCATALOG_COMPILER_LAUNCHIMAGE_NAME = LaunchImage; 785 | CLANG_ANALYZER_NONNULL = YES; 786 | CLANG_WARN_DOCUMENTATION_COMMENTS = YES; 787 | CLANG_WARN_INFINITE_RECURSION = YES; 788 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 789 | COPY_PHASE_STRIP = NO; 790 | DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; 791 | GCC_NO_COMMON_BLOCKS = YES; 792 | INFOPLIST_FILE = "WorkshopApp-tvOS/Info.plist"; 793 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks"; 794 | OTHER_LDFLAGS = ( 795 | "$(inherited)", 796 | "-ObjC", 797 | "-lc++", 798 | ); 799 | PRODUCT_BUNDLE_IDENTIFIER = "com.facebook.REACT.WorkshopApp-tvOS"; 800 | PRODUCT_NAME = "$(TARGET_NAME)"; 801 | SDKROOT = appletvos; 802 | TARGETED_DEVICE_FAMILY = 3; 803 | TVOS_DEPLOYMENT_TARGET = 9.2; 804 | }; 805 | name = Release; 806 | }; 807 | 2D02E4991E0B4A5E006451C7 /* Debug */ = { 808 | isa = XCBuildConfiguration; 809 | baseConfigurationReference = AEFFB1AB0283F5B1943A829A /* Pods-WorkshopApp-tvOSTests.debug.xcconfig */; 810 | buildSettings = { 811 | BUNDLE_LOADER = "$(TEST_HOST)"; 812 | CLANG_ANALYZER_NONNULL = YES; 813 | CLANG_WARN_DOCUMENTATION_COMMENTS = YES; 814 | CLANG_WARN_INFINITE_RECURSION = YES; 815 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 816 | DEBUG_INFORMATION_FORMAT = dwarf; 817 | ENABLE_TESTABILITY = YES; 818 | GCC_NO_COMMON_BLOCKS = YES; 819 | INFOPLIST_FILE = "WorkshopApp-tvOSTests/Info.plist"; 820 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; 821 | OTHER_LDFLAGS = ( 822 | "$(inherited)", 823 | "-ObjC", 824 | "-lc++", 825 | ); 826 | PRODUCT_BUNDLE_IDENTIFIER = "com.facebook.REACT.WorkshopApp-tvOSTests"; 827 | PRODUCT_NAME = "$(TARGET_NAME)"; 828 | SDKROOT = appletvos; 829 | TEST_HOST = "$(BUILT_PRODUCTS_DIR)/WorkshopApp-tvOS.app/WorkshopApp-tvOS"; 830 | TVOS_DEPLOYMENT_TARGET = 10.1; 831 | }; 832 | name = Debug; 833 | }; 834 | 2D02E49A1E0B4A5E006451C7 /* Release */ = { 835 | isa = XCBuildConfiguration; 836 | baseConfigurationReference = F1860D328FBF3B8365FEAD4A /* Pods-WorkshopApp-tvOSTests.release.xcconfig */; 837 | buildSettings = { 838 | BUNDLE_LOADER = "$(TEST_HOST)"; 839 | CLANG_ANALYZER_NONNULL = YES; 840 | CLANG_WARN_DOCUMENTATION_COMMENTS = YES; 841 | CLANG_WARN_INFINITE_RECURSION = YES; 842 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 843 | COPY_PHASE_STRIP = NO; 844 | DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; 845 | GCC_NO_COMMON_BLOCKS = YES; 846 | INFOPLIST_FILE = "WorkshopApp-tvOSTests/Info.plist"; 847 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; 848 | OTHER_LDFLAGS = ( 849 | "$(inherited)", 850 | "-ObjC", 851 | "-lc++", 852 | ); 853 | PRODUCT_BUNDLE_IDENTIFIER = "com.facebook.REACT.WorkshopApp-tvOSTests"; 854 | PRODUCT_NAME = "$(TARGET_NAME)"; 855 | SDKROOT = appletvos; 856 | TEST_HOST = "$(BUILT_PRODUCTS_DIR)/WorkshopApp-tvOS.app/WorkshopApp-tvOS"; 857 | TVOS_DEPLOYMENT_TARGET = 10.1; 858 | }; 859 | name = Release; 860 | }; 861 | 83CBBA201A601CBA00E9B192 /* Debug */ = { 862 | isa = XCBuildConfiguration; 863 | buildSettings = { 864 | ALWAYS_SEARCH_USER_PATHS = NO; 865 | CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; 866 | CLANG_CXX_LIBRARY = "libc++"; 867 | CLANG_ENABLE_MODULES = YES; 868 | CLANG_ENABLE_OBJC_ARC = YES; 869 | CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; 870 | CLANG_WARN_BOOL_CONVERSION = YES; 871 | CLANG_WARN_COMMA = YES; 872 | CLANG_WARN_CONSTANT_CONVERSION = YES; 873 | CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; 874 | CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; 875 | CLANG_WARN_EMPTY_BODY = YES; 876 | CLANG_WARN_ENUM_CONVERSION = YES; 877 | CLANG_WARN_INFINITE_RECURSION = YES; 878 | CLANG_WARN_INT_CONVERSION = YES; 879 | CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; 880 | CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; 881 | CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; 882 | CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; 883 | CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; 884 | CLANG_WARN_STRICT_PROTOTYPES = YES; 885 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 886 | CLANG_WARN_UNREACHABLE_CODE = YES; 887 | CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; 888 | "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; 889 | COPY_PHASE_STRIP = NO; 890 | ENABLE_STRICT_OBJC_MSGSEND = YES; 891 | ENABLE_TESTABILITY = YES; 892 | GCC_C_LANGUAGE_STANDARD = gnu99; 893 | GCC_DYNAMIC_NO_PIC = NO; 894 | GCC_NO_COMMON_BLOCKS = YES; 895 | GCC_OPTIMIZATION_LEVEL = 0; 896 | GCC_PREPROCESSOR_DEFINITIONS = ( 897 | "DEBUG=1", 898 | "$(inherited)", 899 | ); 900 | GCC_SYMBOLS_PRIVATE_EXTERN = NO; 901 | GCC_WARN_64_TO_32_BIT_CONVERSION = YES; 902 | GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; 903 | GCC_WARN_UNDECLARED_SELECTOR = YES; 904 | GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; 905 | GCC_WARN_UNUSED_FUNCTION = YES; 906 | GCC_WARN_UNUSED_VARIABLE = YES; 907 | IPHONEOS_DEPLOYMENT_TARGET = 9.0; 908 | MTL_ENABLE_DEBUG_INFO = YES; 909 | ONLY_ACTIVE_ARCH = YES; 910 | SDKROOT = iphoneos; 911 | }; 912 | name = Debug; 913 | }; 914 | 83CBBA211A601CBA00E9B192 /* Release */ = { 915 | isa = XCBuildConfiguration; 916 | buildSettings = { 917 | ALWAYS_SEARCH_USER_PATHS = NO; 918 | CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; 919 | CLANG_CXX_LIBRARY = "libc++"; 920 | CLANG_ENABLE_MODULES = YES; 921 | CLANG_ENABLE_OBJC_ARC = YES; 922 | CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; 923 | CLANG_WARN_BOOL_CONVERSION = YES; 924 | CLANG_WARN_COMMA = YES; 925 | CLANG_WARN_CONSTANT_CONVERSION = YES; 926 | CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; 927 | CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; 928 | CLANG_WARN_EMPTY_BODY = YES; 929 | CLANG_WARN_ENUM_CONVERSION = YES; 930 | CLANG_WARN_INFINITE_RECURSION = YES; 931 | CLANG_WARN_INT_CONVERSION = YES; 932 | CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; 933 | CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; 934 | CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; 935 | CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; 936 | CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; 937 | CLANG_WARN_STRICT_PROTOTYPES = YES; 938 | CLANG_WARN_SUSPICIOUS_MOVE = YES; 939 | CLANG_WARN_UNREACHABLE_CODE = YES; 940 | CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; 941 | "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; 942 | COPY_PHASE_STRIP = YES; 943 | ENABLE_NS_ASSERTIONS = NO; 944 | ENABLE_STRICT_OBJC_MSGSEND = YES; 945 | GCC_C_LANGUAGE_STANDARD = gnu99; 946 | GCC_NO_COMMON_BLOCKS = YES; 947 | GCC_WARN_64_TO_32_BIT_CONVERSION = YES; 948 | GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; 949 | GCC_WARN_UNDECLARED_SELECTOR = YES; 950 | GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; 951 | GCC_WARN_UNUSED_FUNCTION = YES; 952 | GCC_WARN_UNUSED_VARIABLE = YES; 953 | IPHONEOS_DEPLOYMENT_TARGET = 9.0; 954 | MTL_ENABLE_DEBUG_INFO = NO; 955 | SDKROOT = iphoneos; 956 | VALIDATE_PRODUCT = YES; 957 | }; 958 | name = Release; 959 | }; 960 | /* End XCBuildConfiguration section */ 961 | 962 | /* Begin XCConfigurationList section */ 963 | 00E357021AD99517003FC87E /* Build configuration list for PBXNativeTarget "WorkshopAppTests" */ = { 964 | isa = XCConfigurationList; 965 | buildConfigurations = ( 966 | 00E356F61AD99517003FC87E /* Debug */, 967 | 00E356F71AD99517003FC87E /* Release */, 968 | ); 969 | defaultConfigurationIsVisible = 0; 970 | defaultConfigurationName = Release; 971 | }; 972 | 13B07F931A680F5B00A75B9A /* Build configuration list for PBXNativeTarget "WorkshopApp" */ = { 973 | isa = XCConfigurationList; 974 | buildConfigurations = ( 975 | 13B07F941A680F5B00A75B9A /* Debug */, 976 | 13B07F951A680F5B00A75B9A /* Release */, 977 | ); 978 | defaultConfigurationIsVisible = 0; 979 | defaultConfigurationName = Release; 980 | }; 981 | 2D02E4BA1E0B4A5E006451C7 /* Build configuration list for PBXNativeTarget "WorkshopApp-tvOS" */ = { 982 | isa = XCConfigurationList; 983 | buildConfigurations = ( 984 | 2D02E4971E0B4A5E006451C7 /* Debug */, 985 | 2D02E4981E0B4A5E006451C7 /* Release */, 986 | ); 987 | defaultConfigurationIsVisible = 0; 988 | defaultConfigurationName = Release; 989 | }; 990 | 2D02E4BB1E0B4A5E006451C7 /* Build configuration list for PBXNativeTarget "WorkshopApp-tvOSTests" */ = { 991 | isa = XCConfigurationList; 992 | buildConfigurations = ( 993 | 2D02E4991E0B4A5E006451C7 /* Debug */, 994 | 2D02E49A1E0B4A5E006451C7 /* Release */, 995 | ); 996 | defaultConfigurationIsVisible = 0; 997 | defaultConfigurationName = Release; 998 | }; 999 | 83CBB9FA1A601CBA00E9B192 /* Build configuration list for PBXProject "WorkshopApp" */ = { 1000 | isa = XCConfigurationList; 1001 | buildConfigurations = ( 1002 | 83CBBA201A601CBA00E9B192 /* Debug */, 1003 | 83CBBA211A601CBA00E9B192 /* Release */, 1004 | ); 1005 | defaultConfigurationIsVisible = 0; 1006 | defaultConfigurationName = Release; 1007 | }; 1008 | /* End XCConfigurationList section */ 1009 | }; 1010 | rootObject = 83CBB9F71A601CBA00E9B192 /* Project object */; 1011 | } 1012 | -------------------------------------------------------------------------------- /ios/WorkshopApp.xcodeproj/xcshareddata/xcschemes/WorkshopApp-tvOS.xcscheme: -------------------------------------------------------------------------------- 1 | 2 | 5 | 8 | 9 | 15 | 21 | 22 | 23 | 29 | 35 | 36 | 37 | 43 | 49 | 50 | 51 | 52 | 53 | 58 | 59 | 61 | 67 | 68 | 69 | 70 | 71 | 77 | 78 | 79 | 80 | 81 | 82 | 92 | 94 | 100 | 101 | 102 | 103 | 104 | 105 | 111 | 113 | 119 | 120 | 121 | 122 | 124 | 125 | 128 | 129 | 130 | -------------------------------------------------------------------------------- /ios/WorkshopApp.xcodeproj/xcshareddata/xcschemes/WorkshopApp.xcscheme: -------------------------------------------------------------------------------- 1 | 2 | 5 | 8 | 9 | 15 | 21 | 22 | 23 | 29 | 35 | 36 | 37 | 43 | 49 | 50 | 51 | 52 | 53 | 58 | 59 | 61 | 67 | 68 | 69 | 70 | 71 | 77 | 78 | 79 | 80 | 81 | 82 | 92 | 94 | 100 | 101 | 102 | 103 | 104 | 105 | 111 | 113 | 119 | 120 | 121 | 122 | 124 | 125 | 128 | 129 | 130 | -------------------------------------------------------------------------------- /ios/WorkshopApp.xcworkspace/contents.xcworkspacedata: -------------------------------------------------------------------------------- 1 | 2 | 4 | 6 | 7 | 9 | 10 | 11 | -------------------------------------------------------------------------------- /ios/WorkshopApp.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | IDEDidComputeMac32BitWarning 6 | 7 | 8 | 9 | -------------------------------------------------------------------------------- /ios/WorkshopApp/AppDelegate.h: -------------------------------------------------------------------------------- 1 | /** 2 | * Copyright (c) Facebook, Inc. and its affiliates. 3 | * 4 | * This source code is licensed under the MIT license found in the 5 | * LICENSE file in the root directory of this source tree. 6 | */ 7 | 8 | #import 9 | #import 10 | 11 | @interface AppDelegate : UIResponder 12 | 13 | @property (nonatomic, strong) UIWindow *window; 14 | 15 | @end 16 | -------------------------------------------------------------------------------- /ios/WorkshopApp/AppDelegate.m: -------------------------------------------------------------------------------- 1 | /** 2 | * Copyright (c) Facebook, Inc. and its affiliates. 3 | * 4 | * This source code is licensed under the MIT license found in the 5 | * LICENSE file in the root directory of this source tree. 6 | */ 7 | 8 | @import Firebase; 9 | #import "AppDelegate.h" 10 | 11 | #import 12 | #import 13 | #import 14 | 15 | @implementation AppDelegate 16 | 17 | - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions 18 | { 19 | if ([FIRApp defaultApp] == nil) { 20 | [FIRApp configure]; 21 | } 22 | 23 | RCTBridge *bridge = [[RCTBridge alloc] initWithDelegate:self launchOptions:launchOptions]; 24 | RCTRootView *rootView = [[RCTRootView alloc] initWithBridge:bridge 25 | moduleName:@"WorkshopApp" 26 | initialProperties:nil]; 27 | 28 | rootView.backgroundColor = [[UIColor alloc] initWithRed:1.0f green:1.0f blue:1.0f alpha:1]; 29 | 30 | self.window = [[UIWindow alloc] initWithFrame:[UIScreen mainScreen].bounds]; 31 | UIViewController *rootViewController = [UIViewController new]; 32 | rootViewController.view = rootView; 33 | self.window.rootViewController = rootViewController; 34 | [self.window makeKeyAndVisible]; 35 | return YES; 36 | } 37 | 38 | - (NSURL *)sourceURLForBridge:(RCTBridge *)bridge 39 | { 40 | #if DEBUG 41 | return [[RCTBundleURLProvider sharedSettings] jsBundleURLForBundleRoot:@"index" fallbackResource:nil]; 42 | #else 43 | return [[NSBundle mainBundle] URLForResource:@"main" withExtension:@"jsbundle"]; 44 | #endif 45 | } 46 | 47 | @end 48 | -------------------------------------------------------------------------------- /ios/WorkshopApp/Base.lproj/LaunchScreen.xib: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 21 | 27 | 28 | 29 | 30 | 31 | 32 | 33 | 34 | 35 | 36 | 37 | 38 | 39 | 40 | 41 | 42 | 43 | -------------------------------------------------------------------------------- /ios/WorkshopApp/Images.xcassets/AppIcon.appiconset/Contents.json: -------------------------------------------------------------------------------- 1 | { 2 | "images": [ 3 | { 4 | "idiom": "iphone", 5 | "size": "29x29", 6 | "scale": "2x" 7 | }, 8 | { 9 | "idiom": "iphone", 10 | "size": "29x29", 11 | "scale": "3x" 12 | }, 13 | { 14 | "idiom": "iphone", 15 | "size": "40x40", 16 | "scale": "2x" 17 | }, 18 | { 19 | "idiom": "iphone", 20 | "size": "40x40", 21 | "scale": "3x" 22 | }, 23 | { 24 | "idiom": "iphone", 25 | "size": "60x60", 26 | "scale": "2x" 27 | }, 28 | { 29 | "idiom": "iphone", 30 | "size": "60x60", 31 | "scale": "3x" 32 | } 33 | ], 34 | "info": { 35 | "version": 1, 36 | "author": "xcode" 37 | } 38 | } 39 | -------------------------------------------------------------------------------- /ios/WorkshopApp/Images.xcassets/Contents.json: -------------------------------------------------------------------------------- 1 | { 2 | "info": { 3 | "version": 1, 4 | "author": "xcode" 5 | } 6 | } 7 | -------------------------------------------------------------------------------- /ios/WorkshopApp/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | CFBundleDevelopmentRegion 6 | en 7 | CFBundleDisplayName 8 | Hello App Display Name 9 | CFBundleExecutable 10 | $(EXECUTABLE_NAME) 11 | CFBundleIdentifier 12 | $(PRODUCT_BUNDLE_IDENTIFIER) 13 | CFBundleInfoDictionaryVersion 14 | 6.0 15 | CFBundleName 16 | $(PRODUCT_NAME) 17 | CFBundlePackageType 18 | APPL 19 | CFBundleShortVersionString 20 | 1.0 21 | CFBundleSignature 22 | ???? 23 | CFBundleURLTypes 24 | 25 | 26 | CFBundleTypeRole 27 | Editor 28 | CFBundleURLSchemes 29 | 30 | com.googleusercontent.apps.523166875826-6cmn74f7r4ec4b0j469igc2j7ub8srri 31 | 32 | 33 | 34 | CFBundleVersion 35 | 1 36 | LSRequiresIPhoneOS 37 | 38 | NSAppTransportSecurity 39 | 40 | NSAllowsArbitraryLoads 41 | 42 | NSExceptionDomains 43 | 44 | localhost 45 | 46 | NSExceptionAllowsInsecureHTTPLoads 47 | 48 | 49 | 50 | 51 | NSLocationWhenInUseUsageDescription 52 | 53 | NSPhotoLibraryUsageDescription 54 | Access camera roll to upload images to storage 55 | UIAppFonts 56 | 57 | UILaunchStoryboardName 58 | LaunchScreen 59 | UIRequiredDeviceCapabilities 60 | 61 | armv7 62 | 63 | UISupportedInterfaceOrientations 64 | 65 | UIInterfaceOrientationPortrait 66 | UIInterfaceOrientationLandscapeLeft 67 | UIInterfaceOrientationLandscapeRight 68 | 69 | UIViewControllerBasedStatusBarAppearance 70 | 71 | 72 | 73 | -------------------------------------------------------------------------------- /ios/WorkshopApp/main.m: -------------------------------------------------------------------------------- 1 | /** 2 | * Copyright (c) Facebook, Inc. and its affiliates. 3 | * 4 | * This source code is licensed under the MIT license found in the 5 | * LICENSE file in the root directory of this source tree. 6 | */ 7 | 8 | #import 9 | 10 | #import "AppDelegate.h" 11 | 12 | int main(int argc, char * argv[]) { 13 | @autoreleasepool { 14 | return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class])); 15 | } 16 | } 17 | -------------------------------------------------------------------------------- /ios/WorkshopAppTests/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | CFBundleDevelopmentRegion 6 | en 7 | CFBundleExecutable 8 | $(EXECUTABLE_NAME) 9 | CFBundleIdentifier 10 | $(PRODUCT_BUNDLE_IDENTIFIER) 11 | CFBundleInfoDictionaryVersion 12 | 6.0 13 | CFBundleName 14 | $(PRODUCT_NAME) 15 | CFBundlePackageType 16 | BNDL 17 | CFBundleShortVersionString 18 | 1.0 19 | CFBundleSignature 20 | ???? 21 | CFBundleVersion 22 | 1 23 | 24 | 25 | -------------------------------------------------------------------------------- /ios/WorkshopAppTests/WorkshopAppTests.m: -------------------------------------------------------------------------------- 1 | /** 2 | * Copyright (c) Facebook, Inc. and its affiliates. 3 | * 4 | * This source code is licensed under the MIT license found in the 5 | * LICENSE file in the root directory of this source tree. 6 | */ 7 | 8 | #import 9 | #import 10 | 11 | #import 12 | #import 13 | 14 | #define TIMEOUT_SECONDS 600 15 | #define TEXT_TO_LOOK_FOR @"Welcome to React Native!" 16 | 17 | @interface WorkshopAppTests : XCTestCase 18 | 19 | @end 20 | 21 | @implementation WorkshopAppTests 22 | 23 | - (BOOL)findSubviewInView:(UIView *)view matching:(BOOL(^)(UIView *view))test 24 | { 25 | if (test(view)) { 26 | return YES; 27 | } 28 | for (UIView *subview in [view subviews]) { 29 | if ([self findSubviewInView:subview matching:test]) { 30 | return YES; 31 | } 32 | } 33 | return NO; 34 | } 35 | 36 | - (void)testRendersWelcomeScreen 37 | { 38 | UIViewController *vc = [[[RCTSharedApplication() delegate] window] rootViewController]; 39 | NSDate *date = [NSDate dateWithTimeIntervalSinceNow:TIMEOUT_SECONDS]; 40 | BOOL foundElement = NO; 41 | 42 | __block NSString *redboxError = nil; 43 | RCTSetLogFunction(^(RCTLogLevel level, RCTLogSource source, NSString *fileName, NSNumber *lineNumber, NSString *message) { 44 | if (level >= RCTLogLevelError) { 45 | redboxError = message; 46 | } 47 | }); 48 | 49 | while ([date timeIntervalSinceNow] > 0 && !foundElement && !redboxError) { 50 | [[NSRunLoop mainRunLoop] runMode:NSDefaultRunLoopMode beforeDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; 51 | [[NSRunLoop mainRunLoop] runMode:NSRunLoopCommonModes beforeDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; 52 | 53 | foundElement = [self findSubviewInView:vc.view matching:^BOOL(UIView *view) { 54 | if ([view.accessibilityLabel isEqualToString:TEXT_TO_LOOK_FOR]) { 55 | return YES; 56 | } 57 | return NO; 58 | }]; 59 | } 60 | 61 | RCTSetLogFunction(RCTDefaultLogFunction); 62 | 63 | XCTAssertNil(redboxError, @"RedBox error: %@", redboxError); 64 | XCTAssertTrue(foundElement, @"Couldn't find element with text '%@' in %d seconds", TEXT_TO_LOOK_FOR, TIMEOUT_SECONDS); 65 | } 66 | 67 | 68 | @end 69 | -------------------------------------------------------------------------------- /metro.config.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Metro configuration for React Native 3 | * https://github.com/facebook/react-native 4 | * 5 | * @format 6 | */ 7 | 8 | module.exports = { 9 | transformer: { 10 | getTransformOptions: async () => ({ 11 | transform: { 12 | experimentalImportSupport: false, 13 | inlineRequires: false, 14 | }, 15 | }), 16 | }, 17 | }; 18 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "WorkshopApp", 3 | "version": "6.0.2", 4 | "private": true, 5 | "scripts": { 6 | "start": "react-native start", 7 | "run:android": "react-native run-android", 8 | "run:ios": "react-native run-ios --simulator=\"iPhone 11 Pro Max\"", 9 | "build:apk": "cd android && ./gradlew assembleRelease", 10 | "test": "jest", 11 | "prepare": "patch-package" 12 | }, 13 | "dependencies": { 14 | "@react-native-community/cameraroll": "^1.2.1", 15 | "@react-native-community/google-signin": "^3.0.3", 16 | "@react-native-community/masked-view": "^0.1.1", 17 | "@react-native-firebase/app": "6.1.0", 18 | "@react-native-firebase/auth": "^6.1.0", 19 | "@react-native-firebase/crashlytics": "^6.1.0", 20 | "@react-native-firebase/firestore": "^6.1.0", 21 | "@react-native-firebase/iid": "^6.1.0", 22 | "@react-native-firebase/in-app-messaging": "^6.1.0", 23 | "@react-native-firebase/remote-config": "^6.1.0", 24 | "@react-native-firebase/storage": "^6.1.0", 25 | "@react-navigation/core": "^5.0.0-alpha.17", 26 | "@react-navigation/native": "^5.0.0-alpha.13", 27 | "@react-navigation/stack": "^5.0.0-alpha.29", 28 | "@types/react": "^16.9.13", 29 | "@types/react-native": "^0.60.23", 30 | "react": "16.9.0", 31 | "react-native": "0.61.5", 32 | "react-native-gesture-handler": "^1.4.1", 33 | "react-native-paper": "^3.0.0", 34 | "react-native-reanimated": "^1.3.0", 35 | "react-native-safe-area-context": "^0.5.0", 36 | "react-native-screens": "^1.0.0-alpha.23", 37 | "react-native-vector-icons": "^6.6.0", 38 | "react-navigation": "^4.0.10", 39 | "typescript": "^3.6.4" 40 | }, 41 | "devDependencies": { 42 | "@babel/core": "^7.6.2", 43 | "@babel/runtime": "^7.6.2", 44 | "@react-native-community/cli": "^2.9.0", 45 | "@react-native-community/eslint-config": "^0.0.5", 46 | "axios": "^0.19.0", 47 | "babel-jest": "^24.9.0", 48 | "eslint": "^6.5.1", 49 | "jest": "^24.9.0", 50 | "babel-plugin-optional-require": "^0.3.1", 51 | "metro-react-native-babel-preset": "^0.56.0", 52 | "patch-package": "^6.1.4", 53 | "react-test-renderer": "16.9.0" 54 | }, 55 | "jest": { 56 | "preset": "react-native" 57 | } 58 | } 59 | -------------------------------------------------------------------------------- /patches/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/invertase/react-native-firebase-workshop-app/c7ec546778d8cba07b6249a8502a9f24db968acc/patches/.gitkeep -------------------------------------------------------------------------------- /scripts/movies.js: -------------------------------------------------------------------------------- 1 | const axios = require('axios'); 2 | const API = id => `http://www.omdbapi.com/?apikey=1961811b&i=${id}`; 3 | 4 | const movies = []; 5 | 6 | const ids = [ 7 | 'tt0111161', 8 | 'tt0068646', 9 | 'tt0468569', 10 | 'tt0071562', 11 | 'tt7286456', 12 | 'tt0167260', 13 | 'tt0110912', 14 | 'tt0108052', 15 | 'tt0050083', 16 | 'tt1375666', 17 | ]; 18 | 19 | Promise.all( 20 | ids.map(id => { 21 | return axios.get(API(id)).then(res => { 22 | const movie = res.data; 23 | 24 | return { 25 | title: movie.Title, 26 | year: Number(movie.Year), 27 | rated: movie.Rated, 28 | released: movie.Released, 29 | runtime: movie.Runtime, 30 | genre: movie.Genre.split(','), 31 | director: movie.Director, 32 | poster: movie.Poster, 33 | score: Number(movie.Metascore), 34 | }; 35 | }); 36 | }), 37 | ).then(movies => { 38 | console.log(movies); 39 | }); 40 | -------------------------------------------------------------------------------- /src/Auth.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import { 3 | View, 4 | Text, 5 | StyleSheet, 6 | ActivityIndicator, 7 | ScrollView, 8 | } from 'react-native'; 9 | import {Button, HelperText, TextInput} from 'react-native-paper'; 10 | import {GoogleSignin} from '@react-native-community/google-signin'; 11 | 12 | import auth, {FirebaseAuthTypes} from '@react-native-firebase/auth'; 13 | 14 | function Auth() { 15 | const [loading, setLoading] = React.useState(true); 16 | const [ 17 | currentUser, 18 | setCurrentUser, 19 | ] = React.useState(null); 20 | 21 | /** 22 | * Watch for user authentication state changes & update local state 23 | */ 24 | React.useEffect(() => { 25 | return auth().onAuthStateChanged(user => { 26 | setCurrentUser(user); 27 | setLoading(false); 28 | }); 29 | }, []); 30 | 31 | // Wait for Firebase callback 32 | if (loading) { 33 | return ( 34 | 35 | 36 | 37 | ); 38 | } 39 | 40 | // User is signed in 41 | if (currentUser) { 42 | return ( 43 | 44 | Welcome, {currentUser.displayName || currentUser.email} 45 | 51 | 52 | ); 53 | } 54 | 55 | return ( 56 | 57 | 58 | 59 | 60 | 61 | ); 62 | } 63 | 64 | /** 65 | * Create User Account Flow 66 | */ 67 | function CreateAccount() { 68 | const [email] = React.useState('mike@invertase.co.uk'); 69 | const [password] = React.useState('123456'); 70 | const [error, setError] = React.useState(''); 71 | 72 | async function createAccount() { 73 | try { 74 | setError(''); 75 | await auth().createUserWithEmailAndPassword(email, password); 76 | } catch (e) { 77 | setError(e.message); 78 | } 79 | } 80 | 81 | return ( 82 | 83 | New user? 84 | 90 | 96 | 97 | {error} 98 | 99 | 105 | 106 | ); 107 | } 108 | 109 | /** 110 | * Sign In Flow 111 | */ 112 | function SignIn() { 113 | const [email] = React.useState('mike@invertase.co.uk'); 114 | const [password] = React.useState('123456'); 115 | const [error, setError] = React.useState(''); 116 | 117 | async function signIn() { 118 | try { 119 | setError(''); 120 | await auth().signInWithEmailAndPassword(email, password); 121 | } catch (e) { 122 | setError(e.message); 123 | } 124 | } 125 | 126 | return ( 127 | 128 | Existing Account? 129 | 135 | 141 | 142 | {error} 143 | 144 | 147 | 148 | ); 149 | } 150 | 151 | /** 152 | * Google sign in 153 | */ 154 | function GoogleSignIn() { 155 | const [error, setError] = React.useState(''); 156 | 157 | async function googleSignIn() { 158 | try { 159 | setError(''); 160 | // Setup Google Sign In 161 | await GoogleSignin.configure({ 162 | webClientId: 163 | '523166875826-93es6cdqcpason5rprn2gthfv4ivjn6f.apps.googleusercontent.com', 164 | }); 165 | 166 | // Sign user in and obtain tokens 167 | const {idToken} = await GoogleSignin.signIn(); 168 | 169 | // Create a new Firebase credential 170 | const credential = auth.GoogleAuthProvider.credential(idToken); 171 | 172 | // Sign user in with credential 173 | await auth().signInWithCredential(credential); 174 | } catch (e) { 175 | setError(e.message); 176 | } 177 | } 178 | 179 | return ( 180 | 181 | Google Account? 182 | 183 | {error} 184 | 185 | 192 | 193 | ); 194 | } 195 | 196 | const styles = StyleSheet.create({ 197 | container: { 198 | flex: 1, 199 | alignItems: 'center', 200 | justifyContent: 'center', 201 | }, 202 | 203 | card: { 204 | padding: 16, 205 | backgroundColor: '#fff', 206 | borderRadius: 8, 207 | elevation: 8, 208 | margin: 8, 209 | }, 210 | element: { 211 | marginTop: 8, 212 | }, 213 | }); 214 | 215 | export default Auth; 216 | -------------------------------------------------------------------------------- /src/Config.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import {View, Text, StyleSheet, StatusBar} from 'react-native'; 3 | import {NavigationParams} from 'react-navigation'; 4 | import {Button} from 'react-native-paper'; 5 | 6 | import remoteConfig from '@react-native-firebase/remote-config'; 7 | 8 | interface Props { 9 | navigation: NavigationParams; 10 | } 11 | 12 | function RemoteConfig({navigation}: Props) { 13 | // Local dark mode flag 14 | const [isDarkModeEnabled, setDarkModeEnabled] = React.useState( 15 | false, 16 | ); 17 | 18 | // Whether we can show our feature 19 | const [showFeatures, setShowFeatures] = React.useState(false); 20 | 21 | /** 22 | * Check Remote Config values & update local state 23 | */ 24 | async function bootstrap(): Promise { 25 | // Enable developer mode 26 | await remoteConfig().setConfigSettings({ 27 | isDeveloperModeEnabled: true, 28 | }); 29 | 30 | // Set default values in-case local/remote is out of sync 31 | await remoteConfig().setDefaults({ 32 | dark_mode: false, 33 | }); 34 | 35 | // Fetch the remote config details from Firebase & locally activate 36 | await remoteConfig().fetch(); 37 | 38 | // Activate the values for this device 39 | await remoteConfig().activate(); 40 | 41 | // Grab the remote config value 42 | const darkModeEnabled = await remoteConfig().getValue('dark_mode').value; 43 | 44 | // If enabled, set it locally 45 | if (darkModeEnabled) { 46 | setShowFeatures(true); 47 | } 48 | } 49 | 50 | // Bootstrap flow when component loads 51 | React.useEffect(() => { 52 | bootstrap() 53 | .then() 54 | .catch(console.error); 55 | }, []); 56 | 57 | /** 58 | * Set React Navigation to dark mode! 59 | */ 60 | React.useEffect(() => { 61 | navigation.setOptions({ 62 | headerStyle: { 63 | backgroundColor: isDarkModeEnabled ? '#37474f' : '#F9C02D', 64 | }, 65 | headerTintColor: isDarkModeEnabled ? '#fff' : '#000', 66 | }); 67 | }, [isDarkModeEnabled]); 68 | 69 | return ( 70 | <> 71 | 74 | 79 | {!showFeatures && ( 80 | Sorry, no features available! 81 | )} 82 | 83 | {showFeatures && ( 84 | <> 85 | {!isDarkModeEnabled && ( 86 | 88 | Enable Features: 89 | 90 | )} 91 | 97 | 98 | )} 99 | 100 | 101 | ); 102 | } 103 | 104 | const styles = StyleSheet.create({ 105 | container: { 106 | flex: 1, 107 | backgroundColor: '#fff', 108 | alignItems: 'center', 109 | justifyContent: 'center', 110 | }, 111 | darkModeContainer: { 112 | backgroundColor: '#607d8b', 113 | }, 114 | 115 | text: { 116 | fontSize: 16, 117 | marginBottom: 16, 118 | }, 119 | darkModeText: { 120 | color: '#fff', 121 | }, 122 | }); 123 | 124 | export default RemoteConfig; 125 | -------------------------------------------------------------------------------- /src/Crashlytics.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import {View, StyleSheet} from 'react-native'; 3 | import {Button} from 'react-native-paper'; 4 | 5 | import auth from '@react-native-firebase/auth'; 6 | import crashlytics from '@react-native-firebase/crashlytics'; 7 | 8 | function Crashlytics() { 9 | return ( 10 | 11 | 37 | 38 | ); 39 | } 40 | 41 | const styles = StyleSheet.create({ 42 | container: { 43 | flex: 1, 44 | justifyContent: 'center', 45 | alignItems: 'center', 46 | }, 47 | }); 48 | 49 | export default Crashlytics; 50 | -------------------------------------------------------------------------------- /src/Fiam.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import {View, StyleSheet} from 'react-native'; 3 | import {TextInput} from 'react-native-paper'; 4 | 5 | import iid from '@react-native-firebase/iid'; 6 | 7 | iid() 8 | .get() 9 | .then(console.log); 10 | 11 | function InAppMessaging() { 12 | const [id, setId] = React.useState(''); 13 | 14 | React.useEffect(() => { 15 | iid() 16 | .get() 17 | .then(setId); 18 | }, []); 19 | 20 | return ( 21 | 22 | 27 | 28 | ); 29 | } 30 | 31 | const styles = StyleSheet.create({ 32 | container: { 33 | flex: 1, 34 | flexDirection: 'row', 35 | alignItems: 'center', 36 | justifyContent: 'center', 37 | }, 38 | input: { 39 | width: '90%', 40 | fontSize: 20, 41 | }, 42 | }); 43 | 44 | export default InAppMessaging; 45 | -------------------------------------------------------------------------------- /src/Firestore.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import { 3 | View, 4 | Text, 5 | ActivityIndicator, 6 | StyleSheet, 7 | FlatList, 8 | Image, 9 | } from 'react-native'; 10 | import {Divider} from 'react-native-paper'; 11 | 12 | import firestore from '@react-native-firebase/firestore'; 13 | 14 | interface MovieProps { 15 | key: string; // Firestore ID 16 | director: string; 17 | genre: string[]; 18 | poster: string; 19 | rated: string; 20 | released: string; 21 | runtime: string; 22 | score: number; 23 | title: string; 24 | year: number; 25 | } 26 | 27 | function FirestoreScreen() { 28 | const [loading, setLoading] = React.useState(true); 29 | const [movies, setMovies] = React.useState([]); 30 | 31 | /** 32 | * Subscribe to a Firestore collection 33 | * On any changes, update local state with the data! 34 | */ 35 | React.useEffect(() => { 36 | return ( 37 | firestore() 38 | .collection('movies') 39 | // .orderBy('year') 40 | // .orderBy('score', 'desc') 41 | // .where('year', '>=', 2000) 42 | // .limit(2) 43 | // .where('title', 'in', ['The Dark Knight', 'Inception', 'Joker']) 44 | // .where('genre', 'array-contains-any', ['Fantasy', 'Adventure']) 45 | .onSnapshot(query => { 46 | const items: MovieProps[] = []; 47 | 48 | query.forEach(document => { 49 | items.push({ 50 | ...document.data(), 51 | key: document.id, 52 | } as MovieProps); 53 | }); 54 | 55 | setMovies(items); 56 | setLoading(false); 57 | }, console.error) 58 | ); 59 | }, []); 60 | 61 | /** 62 | * Render loading spinner 63 | */ 64 | if (loading) { 65 | return ( 66 | 67 | 68 | 69 | ); 70 | } 71 | 72 | return ( 73 | } /> 74 | ); 75 | } 76 | 77 | function Movie({ 78 | title, 79 | poster, 80 | year, 81 | genre, 82 | runtime, 83 | rated, 84 | score, 85 | }: MovieProps) { 86 | return ( 87 | 88 | 89 | 90 | 91 | 92 | {title} 93 | Released: {year} 94 | 95 | Rated: {rated} 96 | 97 | Genre: {genre.join(', ')} 98 | 99 | Released: {year} 100 | 101 | Runtime: {runtime} 102 | 103 | Score: {score} 104 | 105 | 106 | ); 107 | } 108 | 109 | const styles = StyleSheet.create({ 110 | loading: { 111 | flex: 1, 112 | alignItems: 'center', 113 | justifyContent: 'center', 114 | }, 115 | 116 | // Movie 117 | container: { 118 | flex: 1, 119 | flexDirection: 'row', 120 | marginVertical: 4, 121 | marginHorizontal: 8, 122 | backgroundColor: '#fff', 123 | borderRadius: 10, 124 | overflow: 'hidden', 125 | elevation: 8, 126 | }, 127 | poster: { 128 | width: 160, 129 | height: 300, 130 | }, 131 | meta: { 132 | flex: 1, 133 | padding: 8, 134 | }, 135 | title: { 136 | fontSize: 18, 137 | flexWrap: 'wrap', 138 | fontWeight: 'bold', 139 | }, 140 | info: { 141 | marginVertical: 8, 142 | color: '#9e9e9e', 143 | }, 144 | score: { 145 | fontSize: 20, 146 | fontWeight: 'bold', 147 | }, 148 | }); 149 | 150 | export default FirestoreScreen; 151 | -------------------------------------------------------------------------------- /src/Home.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import {View, Text, Image, StyleSheet, TouchableHighlight} from 'react-native'; 3 | import {NavigationParams} from 'react-navigation'; 4 | 5 | interface Button { 6 | asset: any; 7 | title: string; 8 | screen: string; 9 | } 10 | 11 | const buttons: Button[] = [ 12 | { 13 | asset: require('../assets/firestore.png'), 14 | title: 'Cloud Firestore', 15 | screen: 'Firestore', 16 | }, 17 | { 18 | asset: require('../assets/auth.png'), 19 | title: 'Authentication', 20 | screen: 'Auth', 21 | }, 22 | { 23 | asset: require('../assets/storage.png'), 24 | title: 'Cloud Storage', 25 | screen: 'Storage', 26 | }, 27 | { 28 | asset: require('../assets/crashlytics.png'), 29 | title: 'Crashlytics', 30 | screen: 'Crashlytics', 31 | }, 32 | { 33 | asset: require('../assets/fiam.png'), 34 | title: 'In-App Messaging', 35 | screen: 'Fiam', 36 | }, 37 | { 38 | asset: require('../assets/config.png'), 39 | title: 'Remote Config', 40 | screen: 'Config', 41 | }, 42 | ]; 43 | 44 | interface Props { 45 | navigation: NavigationParams; 46 | } 47 | 48 | function Home({navigation}: Props) { 49 | return ( 50 | 51 | 52 | 56 | React Native + Firebase 57 | 58 | 59 | {buttons.map(button => ( 60 | 61 | navigation.navigate(button.screen)}> 65 | <> 66 | 67 | {button.title} 68 | 69 | 70 | 71 | ))} 72 | 73 | 74 | ); 75 | } 76 | 77 | const styles = StyleSheet.create({ 78 | hero: { 79 | backgroundColor: '#fff', 80 | paddingVertical: 32, 81 | alignItems: 'center', 82 | justifyContent: 'center', 83 | elevation: 3, 84 | }, 85 | heroText: { 86 | marginTop: 16, 87 | fontSize: 20, 88 | }, 89 | cards: { 90 | flex: 1, 91 | flexDirection: 'row', 92 | alignItems: 'flex-start', 93 | flexWrap: 'wrap', 94 | marginTop: 16, 95 | }, 96 | cardContainer: { 97 | width: '50%', 98 | }, 99 | card: { 100 | alignItems: 'center', 101 | justifyContent: 'center', 102 | backgroundColor: '#fff', 103 | height: 130, 104 | marginHorizontal: 8, 105 | marginBottom: 16, 106 | elevation: 8, 107 | borderRadius: 10, 108 | }, 109 | cardImage: { 110 | width: 70, 111 | height: 70, 112 | marginBottom: 8, 113 | }, 114 | }); 115 | 116 | export default Home; 117 | -------------------------------------------------------------------------------- /src/Storage.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import { 3 | View, 4 | Text, 5 | ActivityIndicator, 6 | StyleSheet, 7 | ScrollView, 8 | Image, 9 | TouchableHighlight, 10 | Alert, 11 | } from 'react-native'; 12 | import {ProgressBar, Colors} from 'react-native-paper'; 13 | 14 | import CameraRoll from '@react-native-community/cameraroll'; 15 | import storage from '@react-native-firebase/storage'; 16 | 17 | function Storage() { 18 | const [loading, setLoading] = React.useState(true); 19 | const [photos, setPhotos] = React.useState([]); 20 | 21 | const [uploading, setUploading] = React.useState(false); 22 | const [transferred, setTransferred] = React.useState(0); // 0 - 100 23 | 24 | /** 25 | * Fetch camera roll images 26 | */ 27 | React.useEffect(() => { 28 | CameraRoll.getPhotos({ 29 | first: 20, 30 | }).then(({edges}) => { 31 | setPhotos(edges.map(edge => edge.node.image.uri)); 32 | setLoading(false); 33 | }); 34 | }, []); 35 | 36 | /** 37 | * Prompt the user to confirm image uploading 38 | */ 39 | function showAlert(uri: string) { 40 | Alert.alert( 41 | 'Upload Image', 42 | 'Click OK to upload your image to Firebase Cloud Storage!', 43 | [ 44 | {text: 'Cancel', style: 'cancel'}, 45 | { 46 | text: 'OK', 47 | onPress: () => uploadImage(uri), 48 | }, 49 | ], 50 | ); 51 | } 52 | 53 | /** 54 | * Upload the image to the storage bucket 55 | */ 56 | async function uploadImage(uri: string) { 57 | setUploading(true); 58 | setTransferred(0); 59 | 60 | const task = storage() 61 | .ref('camera-roll-image.jpg') 62 | .putFile(uri, { 63 | customMetadata: { 64 | uploadedBy: 'Elliot Hesp', 65 | }, 66 | }); 67 | 68 | // Set progress state 69 | task.on('state_changed', snapshot => { 70 | setTransferred( 71 | Math.round(snapshot.bytesTransferred / snapshot.totalBytes) * 10000, 72 | ); 73 | }); 74 | 75 | try { 76 | await task; 77 | } catch (e) { 78 | console.error(e); 79 | } 80 | 81 | setUploading(false); 82 | 83 | Alert.alert( 84 | 'Photo uploaded!', 85 | 'Your photo has been uploaded to Firebase Cloud Storage!', 86 | ); 87 | } 88 | 89 | /** 90 | * Render loading spinner 91 | */ 92 | if (loading) { 93 | return ( 94 | 95 | 96 | 97 | ); 98 | } 99 | 100 | /** 101 | * Render uploading progress bar 102 | */ 103 | if (uploading) { 104 | return ( 105 | 106 | Image Uploading... 107 | 112 | 113 | ); 114 | } 115 | 116 | return ( 117 | 118 | 119 | Select an image to upload: 120 | 121 | {photos.map(photo => ( 122 | showAlert(photo)}> 123 | 124 | 125 | ))} 126 | 127 | ); 128 | } 129 | 130 | const styles = StyleSheet.create({ 131 | loading: { 132 | flex: 1, 133 | alignItems: 'center', 134 | justifyContent: 'center', 135 | }, 136 | progressBar: { 137 | width: 250, 138 | marginVertical: 16, 139 | }, 140 | photo: { 141 | width: '100%', 142 | height: 300, 143 | }, 144 | }); 145 | 146 | export default Storage; 147 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | /* Basic Options */ 4 | "target": "esnext", 5 | /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017','ES2018' or 'ESNEXT'. */ 6 | "module": "commonjs", 7 | /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */ 8 | "lib": [ 9 | "es5", 10 | "es6", 11 | "es7" 12 | ], 13 | /* Specify library files to be included in the compilation. */ 14 | "allowJs": true, 15 | /* Allow javascript files to be compiled. */ 16 | // "checkJs": true, /* Report errors in .js files. */ 17 | "jsx": "react-native", 18 | /* Specify JSX code generation: 'preserve', 'react-native', or 'react'. */ 19 | // "declaration": true, /* Generates corresponding '.d.ts' file. */ 20 | // "sourceMap": true, /* Generates corresponding '.map' file. */ 21 | // "outFile": "./", /* Concatenate and emit output to single file. */ 22 | // "outDir": "./", /* Redirect output structure to the directory. */ 23 | // "rootDir": "./", /* Specify the root directory of input files. Use to control the output directory structure with --outDir. */ 24 | // "removeComments": true, /* Do not emit comments to output. */ 25 | "noEmit": true, 26 | /* Do not emit outputs. */ 27 | // "importHelpers": true, /* Import emit helpers from 'tslib'. */ 28 | // "downlevelIteration": true, /* Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5' or 'ES3'. */ 29 | "isolatedModules": true, 30 | /* Transpile each file as a separate module (similar to 'ts.transpileModule'). */ 31 | 32 | /* Strict Type-Checking Options */ 33 | "strict": true, 34 | /* Enable all strict type-checking options. */ 35 | // "noImplicitAny": true, /* Raise error on expressions and declarations with an implied 'any' type. */ 36 | // "strictNullChecks": true, /* Enable strict null checks. */ 37 | // "strictFunctionTypes": true, /* Enable strict checking of function types. */ 38 | // "strictPropertyInitialization": true, /* Enable strict checking of property initialization in classes. */ 39 | // "noImplicitThis": true, /* Raise error on 'this' expressions with an implied 'any' type. */ 40 | // "alwaysStrict": true, /* Parse in strict mode and emit "use strict" for each source file. */ 41 | 42 | /* Additional Checks */ 43 | // "noUnusedLocals": true, /* Report errors on unused locals. */ 44 | // "noUnusedParameters": true, /* Report errors on unused parameters. */ 45 | // "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */ 46 | // "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */ 47 | 48 | /* Module Resolution Options */ 49 | "moduleResolution": "node", 50 | /* Specify module resolution strategy: 'node' (Node.js) or 'classic' (TypeScript pre-1.6). */ 51 | "baseUrl": "./", 52 | /* Base directory to resolve non-absolute module names. */ 53 | // "paths": {}, /* A series of entries which re-map imports to lookup locations relative to the 'baseUrl'. */ 54 | // "rootDirs": [], /* List of root folders whose combined content represents the structure of the project at runtime. */ 55 | // "typeRoots": [], /* List of folders to include type definitions from. */ 56 | // "types": [], /* Type declaration files to be included in compilation. */ 57 | "allowSyntheticDefaultImports": true, 58 | /* Allow default imports from modules with no default export. This does not affect code emit, just typechecking. */ 59 | "esModuleInterop": true 60 | /* Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'. */ 61 | // "preserveSymlinks": true, /* Do not resolve the real path of symlinks. */ 62 | 63 | /* Source Map Options */ 64 | // "sourceRoot": "./", /* Specify the location where debugger should locate TypeScript files instead of source locations. */ 65 | // "mapRoot": "./", /* Specify the location where debugger should locate map files instead of generated locations. */ 66 | // "inlineSourceMap": true, /* Emit a single file with source maps instead of having a separate file. */ 67 | // "inlineSources": true, /* Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set. */ 68 | 69 | /* Experimental Options */ 70 | // "experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */ 71 | // "emitDecoratorMetadata": true, /* Enables experimental support for emitting type metadata for decorators. */ 72 | }, 73 | "exclude": [ 74 | "node_modules", 75 | "babel.config.js", 76 | "metro.config.js", 77 | "jest.config.js" 78 | ] 79 | } 80 | --------------------------------------------------------------------------------