├── .gitignore
├── DUMMY.ev
├── README.md
├── android
├── .gitignore
├── app
│ ├── build.gradle
│ ├── debug.keystore
│ ├── proguard-rules.pro
│ └── src
│ │ ├── debug
│ │ ├── AndroidManifest.xml
│ │ └── java
│ │ │ └── com
│ │ │ └── supersimon
│ │ │ └── meetingsApp
│ │ │ └── ReactNativeFlipper.java
│ │ ├── main
│ │ ├── AndroidManifest.xml
│ │ ├── java
│ │ │ └── com
│ │ │ │ └── supersimon
│ │ │ │ └── meetingsApp
│ │ │ │ ├── MainActivity.java
│ │ │ │ └── MainApplication.java
│ │ └── res
│ │ │ ├── drawable-hdpi
│ │ │ └── splashscreen_image.png
│ │ │ ├── drawable-mdpi
│ │ │ └── splashscreen_image.png
│ │ │ ├── drawable-xhdpi
│ │ │ └── splashscreen_image.png
│ │ │ ├── drawable-xxhdpi
│ │ │ └── splashscreen_image.png
│ │ │ ├── drawable-xxxhdpi
│ │ │ └── splashscreen_image.png
│ │ │ ├── drawable
│ │ │ ├── rn_edit_text_material.xml
│ │ │ └── splashscreen.xml
│ │ │ ├── mipmap-anydpi-v26
│ │ │ ├── ic_launcher.xml
│ │ │ └── ic_launcher_round.xml
│ │ │ ├── mipmap-hdpi
│ │ │ ├── ic_launcher.png
│ │ │ ├── ic_launcher_foreground.png
│ │ │ └── ic_launcher_round.png
│ │ │ ├── mipmap-mdpi
│ │ │ ├── ic_launcher.png
│ │ │ ├── ic_launcher_foreground.png
│ │ │ └── ic_launcher_round.png
│ │ │ ├── mipmap-xhdpi
│ │ │ ├── ic_launcher.png
│ │ │ ├── ic_launcher_foreground.png
│ │ │ └── ic_launcher_round.png
│ │ │ ├── mipmap-xxhdpi
│ │ │ ├── ic_launcher.png
│ │ │ ├── ic_launcher_foreground.png
│ │ │ └── ic_launcher_round.png
│ │ │ ├── mipmap-xxxhdpi
│ │ │ ├── ic_launcher.png
│ │ │ ├── ic_launcher_foreground.png
│ │ │ └── ic_launcher_round.png
│ │ │ ├── values-night
│ │ │ └── colors.xml
│ │ │ └── values
│ │ │ ├── colors.xml
│ │ │ ├── strings.xml
│ │ │ └── styles.xml
│ │ └── release
│ │ └── java
│ │ └── com
│ │ └── supersimon
│ │ └── meetingsApp
│ │ └── ReactNativeFlipper.java
├── build.gradle
├── gradle.properties
├── gradle
│ └── wrapper
│ │ ├── gradle-wrapper.jar
│ │ └── gradle-wrapper.properties
├── gradlew
├── gradlew.bat
└── settings.gradle
├── app.json
├── app
├── (inside)
│ ├── (room)
│ │ └── [id].tsx
│ ├── _layout.tsx
│ └── index.tsx
├── _layout.tsx
└── index.tsx
├── assets
├── data
│ ├── 1.png
│ ├── 2.png
│ ├── 3.png
│ ├── 4.png
│ └── rooms.ts
├── fonts
│ └── SpaceMono-Regular.ttf
└── images
│ ├── adaptive-icon.png
│ ├── favicon.png
│ ├── icon.png
│ └── splash.png
├── babel.config.js
├── components
├── ChatView.tsx
├── CustomBottomSheet.tsx
├── CustomCallControls.tsx
└── CustomTopView.tsx
├── constants
└── Colors.ts
├── context
└── AuthContext.tsx
├── install.sh
├── ios
├── .gitignore
├── .xcode.env
├── Podfile
├── Podfile.lock
├── Podfile.properties.json
├── meetingsApp.xcodeproj
│ ├── project.pbxproj
│ └── xcshareddata
│ │ └── xcschemes
│ │ └── meetingsApp.xcscheme
├── meetingsApp.xcworkspace
│ ├── contents.xcworkspacedata
│ └── xcshareddata
│ │ └── IDEWorkspaceChecks.plist
└── meetingsApp
│ ├── AppDelegate.h
│ ├── AppDelegate.mm
│ ├── Images.xcassets
│ ├── AppIcon.appiconset
│ │ ├── App-Icon-1024x1024@1x.png
│ │ └── Contents.json
│ ├── Contents.json
│ ├── SplashScreen.imageset
│ │ ├── Contents.json
│ │ └── image.png
│ └── SplashScreenBackground.imageset
│ │ ├── Contents.json
│ │ └── image.png
│ ├── Info.plist
│ ├── SplashScreen.storyboard
│ ├── Supporting
│ └── Expo.plist
│ ├── main.m
│ ├── meetingsApp-Bridging-Header.h
│ ├── meetingsApp.entitlements
│ └── noop-file.swift
├── metro.config.js
├── package-lock.json
├── package.json
├── screenshots
├── 1.png
├── 2.png
├── 3.png
└── 4.png
└── tsconfig.json
/.gitignore:
--------------------------------------------------------------------------------
1 | # Learn more https://docs.github.com/en/get-started/getting-started-with-git/ignoring-files
2 |
3 | # dependencies
4 | node_modules/
5 |
6 | # Expo
7 | .expo/
8 | dist/
9 | web-build/
10 |
11 | # Native
12 | *.orig.*
13 | *.jks
14 | *.p8
15 | *.p12
16 | *.key
17 | *.mobileprovision
18 |
19 | # Metro
20 | .metro-health-check*
21 |
22 | # debug
23 | npm-debug.*
24 | yarn-debug.*
25 | yarn-error.*
26 |
27 | # macOS
28 | .DS_Store
29 | *.pem
30 |
31 | # local env files
32 | .env*.local
33 |
34 | # typescript
35 | *.tsbuildinfo
36 |
37 | .env
38 | # @generated expo-cli sync-2b81b286409207a5da26e14c78851eb30d8ccbdb
39 | # The following patterns were generated by expo-cli
40 |
41 | expo-env.d.ts
42 | # @end expo-cli
--------------------------------------------------------------------------------
/DUMMY.ev:
--------------------------------------------------------------------------------
1 | EXPO_PUBLIC_STREAM_ACCESS_KEY=
2 | EXPO_PUBLIC_SERVER_URL=
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Live Meeting React Native App with Stream Video Call & Chat Integration
2 |
3 | This is a React Native app that uses [Stream](https://gstrm.io/devdactic-23-11) for live video calls and chat. It is built with Expo and uses a [Node API for authentication](https://github.com/Galaxies-dev/auth-api-stream).
4 |
5 | It works on both iOS and Android, as well as table and phone-sized devices!
6 |
7 | ## App Screenshots
8 |
9 |
0) {
129 | println "android.packagingOptions.$prop += $options ($options.length)"
130 | // Ex: android.packagingOptions.pickFirsts += '**/SCCS/**'
131 | options.each {
132 | android.packagingOptions[prop] += it
133 | }
134 | }
135 | }
136 |
137 | dependencies {
138 | // The version of react-native is set by the React Native Gradle Plugin
139 | implementation("com.facebook.react:react-android")
140 |
141 | def isGifEnabled = (findProperty('expo.gif.enabled') ?: "") == "true";
142 | def isWebpEnabled = (findProperty('expo.webp.enabled') ?: "") == "true";
143 | def isWebpAnimatedEnabled = (findProperty('expo.webp.animated') ?: "") == "true";
144 | def frescoVersion = rootProject.ext.frescoVersion
145 |
146 | // If your app supports Android versions before Ice Cream Sandwich (API level 14)
147 | if (isGifEnabled || isWebpEnabled) {
148 | implementation("com.facebook.fresco:fresco:${frescoVersion}")
149 | implementation("com.facebook.fresco:imagepipeline-okhttp3:${frescoVersion}")
150 | }
151 |
152 | if (isGifEnabled) {
153 | // For animated gif support
154 | implementation("com.facebook.fresco:animated-gif:${frescoVersion}")
155 | }
156 |
157 | if (isWebpEnabled) {
158 | // For webp support
159 | implementation("com.facebook.fresco:webpsupport:${frescoVersion}")
160 | if (isWebpAnimatedEnabled) {
161 | // Animated webp support
162 | implementation("com.facebook.fresco:animated-webp:${frescoVersion}")
163 | }
164 | }
165 |
166 | debugImplementation("com.facebook.flipper:flipper:${FLIPPER_VERSION}")
167 | debugImplementation("com.facebook.flipper:flipper-network-plugin:${FLIPPER_VERSION}") {
168 | exclude group:'com.squareup.okhttp3', module:'okhttp'
169 | }
170 | debugImplementation("com.facebook.flipper:flipper-fresco-plugin:${FLIPPER_VERSION}")
171 |
172 | if (hermesEnabled.toBoolean()) {
173 | implementation("com.facebook.react:hermes-android")
174 | } else {
175 | implementation jscFlavor
176 | }
177 | }
178 |
179 | apply from: new File(["node", "--print", "require.resolve('@react-native-community/cli-platform-android/package.json')"].execute(null, rootDir).text.trim(), "../native_modules.gradle");
180 | applyNativeModulesAppBuildGradle(project)
181 |
--------------------------------------------------------------------------------
/android/app/debug.keystore:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/debug.keystore
--------------------------------------------------------------------------------
/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 | # react-native-reanimated
11 | -keep class com.swmansion.reanimated.** { *; }
12 | -keep class com.facebook.react.turbomodule.** { *; }
13 |
14 | # Add any project specific keep options here:
15 |
--------------------------------------------------------------------------------
/android/app/src/debug/AndroidManifest.xml:
--------------------------------------------------------------------------------
1 |
3 |
4 |
5 |
6 |
7 |
8 |
--------------------------------------------------------------------------------
/android/app/src/debug/java/com/supersimon/meetingsApp/ReactNativeFlipper.java:
--------------------------------------------------------------------------------
1 | /**
2 | * Copyright (c) Meta Platforms, Inc. and affiliates.
3 | *
4 | * This source code is licensed under the MIT license found in the LICENSE file in the root
5 | * directory of this source tree.
6 | */
7 | package com.supersimon.meetingsApp;
8 |
9 | import android.content.Context;
10 | import com.facebook.flipper.android.AndroidFlipperClient;
11 | import com.facebook.flipper.android.utils.FlipperUtils;
12 | import com.facebook.flipper.core.FlipperClient;
13 | import com.facebook.flipper.plugins.crashreporter.CrashReporterPlugin;
14 | import com.facebook.flipper.plugins.databases.DatabasesFlipperPlugin;
15 | import com.facebook.flipper.plugins.fresco.FrescoFlipperPlugin;
16 | import com.facebook.flipper.plugins.inspector.DescriptorMapping;
17 | import com.facebook.flipper.plugins.inspector.InspectorFlipperPlugin;
18 | import com.facebook.flipper.plugins.network.FlipperOkhttpInterceptor;
19 | import com.facebook.flipper.plugins.network.NetworkFlipperPlugin;
20 | import com.facebook.flipper.plugins.sharedpreferences.SharedPreferencesFlipperPlugin;
21 | import com.facebook.react.ReactInstanceEventListener;
22 | import com.facebook.react.ReactInstanceManager;
23 | import com.facebook.react.bridge.ReactContext;
24 | import com.facebook.react.modules.network.NetworkingModule;
25 | import okhttp3.OkHttpClient;
26 |
27 | /**
28 | * Class responsible of loading Flipper inside your React Native application. This is the debug
29 | * flavor of it. Here you can add your own plugins and customize the Flipper setup.
30 | */
31 | public class ReactNativeFlipper {
32 | public static void initializeFlipper(Context context, ReactInstanceManager reactInstanceManager) {
33 | if (FlipperUtils.shouldEnableFlipper(context)) {
34 | final FlipperClient client = AndroidFlipperClient.getInstance(context);
35 |
36 | client.addPlugin(new InspectorFlipperPlugin(context, DescriptorMapping.withDefaults()));
37 | client.addPlugin(new DatabasesFlipperPlugin(context));
38 | client.addPlugin(new SharedPreferencesFlipperPlugin(context));
39 | client.addPlugin(CrashReporterPlugin.getInstance());
40 |
41 | NetworkFlipperPlugin networkFlipperPlugin = new NetworkFlipperPlugin();
42 | NetworkingModule.setCustomClientBuilder(
43 | new NetworkingModule.CustomClientBuilder() {
44 | @Override
45 | public void apply(OkHttpClient.Builder builder) {
46 | builder.addNetworkInterceptor(new FlipperOkhttpInterceptor(networkFlipperPlugin));
47 | }
48 | });
49 | client.addPlugin(networkFlipperPlugin);
50 | client.start();
51 |
52 | // Fresco Plugin needs to ensure that ImagePipelineFactory is initialized
53 | // Hence we run if after all native modules have been initialized
54 | ReactContext reactContext = reactInstanceManager.getCurrentReactContext();
55 | if (reactContext == null) {
56 | reactInstanceManager.addReactInstanceEventListener(
57 | new ReactInstanceEventListener() {
58 | @Override
59 | public void onReactContextInitialized(ReactContext reactContext) {
60 | reactInstanceManager.removeReactInstanceEventListener(this);
61 | reactContext.runOnNativeModulesQueueThread(
62 | new Runnable() {
63 | @Override
64 | public void run() {
65 | client.addPlugin(new FrescoFlipperPlugin());
66 | }
67 | });
68 | }
69 | });
70 | } else {
71 | client.addPlugin(new FrescoFlipperPlugin());
72 | }
73 | }
74 | }
75 | }
76 |
--------------------------------------------------------------------------------
/android/app/src/main/AndroidManifest.xml:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 |
7 |
8 |
9 |
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 |
18 |
19 |
20 |
21 |
22 |
23 |
24 |
25 |
26 |
27 |
28 |
29 |
30 |
31 |
32 |
33 |
34 |
35 |
36 |
--------------------------------------------------------------------------------
/android/app/src/main/java/com/supersimon/meetingsApp/MainActivity.java:
--------------------------------------------------------------------------------
1 | package com.supersimon.meetingsApp;
2 |
3 | import android.os.Build;
4 | import android.os.Bundle;
5 |
6 | import com.facebook.react.ReactActivity;
7 | import com.facebook.react.ReactActivityDelegate;
8 | import com.facebook.react.defaults.DefaultNewArchitectureEntryPoint;
9 | import com.facebook.react.defaults.DefaultReactActivityDelegate;
10 |
11 | import expo.modules.ReactActivityDelegateWrapper;
12 |
13 | public class MainActivity extends ReactActivity {
14 | @Override
15 | protected void onCreate(Bundle savedInstanceState) {
16 | // Set the theme to AppTheme BEFORE onCreate to support
17 | // coloring the background, status bar, and navigation bar.
18 | // This is required for expo-splash-screen.
19 | setTheme(R.style.AppTheme);
20 | super.onCreate(null);
21 | }
22 |
23 | /**
24 | * Returns the name of the main component registered from JavaScript.
25 | * This is used to schedule rendering of the component.
26 | */
27 | @Override
28 | protected String getMainComponentName() {
29 | return "main";
30 | }
31 |
32 | /**
33 | * Returns the instance of the {@link ReactActivityDelegate}. Here we use a util class {@link
34 | * DefaultReactActivityDelegate} which allows you to easily enable Fabric and Concurrent React
35 | * (aka React 18) with two boolean flags.
36 | */
37 | @Override
38 | protected ReactActivityDelegate createReactActivityDelegate() {
39 | return new ReactActivityDelegateWrapper(this, BuildConfig.IS_NEW_ARCHITECTURE_ENABLED, new DefaultReactActivityDelegate(
40 | this,
41 | getMainComponentName(),
42 | // If you opted-in for the New Architecture, we enable the Fabric Renderer.
43 | DefaultNewArchitectureEntryPoint.getFabricEnabled()));
44 | }
45 |
46 | /**
47 | * Align the back button behavior with Android S
48 | * where moving root activities to background instead of finishing activities.
49 | * @see onBackPressed
50 | */
51 | @Override
52 | public void invokeDefaultOnBackPressed() {
53 | if (Build.VERSION.SDK_INT <= Build.VERSION_CODES.R) {
54 | if (!moveTaskToBack(false)) {
55 | // For non-root activities, use the default implementation to finish them.
56 | super.invokeDefaultOnBackPressed();
57 | }
58 | return;
59 | }
60 |
61 | // Use the default back button implementation on Android S
62 | // because it's doing more than {@link Activity#moveTaskToBack} in fact.
63 | super.invokeDefaultOnBackPressed();
64 | }
65 | }
66 |
--------------------------------------------------------------------------------
/android/app/src/main/java/com/supersimon/meetingsApp/MainApplication.java:
--------------------------------------------------------------------------------
1 | package com.supersimon.meetingsApp;
2 |
3 | import android.app.Application;
4 | import android.content.res.Configuration;
5 | import androidx.annotation.NonNull;
6 |
7 | import com.facebook.react.PackageList;
8 | import com.facebook.react.ReactApplication;
9 | import com.facebook.react.ReactNativeHost;
10 | import com.facebook.react.ReactPackage;
11 | import com.facebook.react.config.ReactFeatureFlags;
12 | import com.facebook.react.defaults.DefaultNewArchitectureEntryPoint;
13 | import com.facebook.react.defaults.DefaultReactNativeHost;
14 | import com.facebook.soloader.SoLoader;
15 |
16 | import expo.modules.ApplicationLifecycleDispatcher;
17 | import expo.modules.ReactNativeHostWrapper;
18 |
19 | import java.util.List;
20 |
21 | public class MainApplication extends Application implements ReactApplication {
22 |
23 | private final ReactNativeHost mReactNativeHost =
24 | new ReactNativeHostWrapper(this, new DefaultReactNativeHost(this) {
25 | @Override
26 | public boolean getUseDeveloperSupport() {
27 | return BuildConfig.DEBUG;
28 | }
29 |
30 | @Override
31 | protected List getPackages() {
32 | @SuppressWarnings("UnnecessaryLocalVariable")
33 | List packages = new PackageList(this).getPackages();
34 | // Packages that cannot be autolinked yet can be added manually here, for example:
35 | // packages.add(new MyReactNativePackage());
36 | return packages;
37 | }
38 |
39 | @Override
40 | protected String getJSMainModuleName() {
41 | return ".expo/.virtual-metro-entry";
42 | }
43 |
44 | @Override
45 | protected boolean isNewArchEnabled() {
46 | return BuildConfig.IS_NEW_ARCHITECTURE_ENABLED;
47 | }
48 |
49 | @Override
50 | protected Boolean isHermesEnabled() {
51 | return BuildConfig.IS_HERMES_ENABLED;
52 | }
53 | });
54 |
55 | @Override
56 | public ReactNativeHost getReactNativeHost() {
57 | return mReactNativeHost;
58 | }
59 |
60 | @Override
61 | public void onCreate() {
62 | super.onCreate();
63 | SoLoader.init(this, /* native exopackage */ false);
64 | if (!BuildConfig.REACT_NATIVE_UNSTABLE_USE_RUNTIME_SCHEDULER_ALWAYS) {
65 | ReactFeatureFlags.unstable_useRuntimeSchedulerAlways = false;
66 | }
67 | if (BuildConfig.IS_NEW_ARCHITECTURE_ENABLED) {
68 | // If you opted-in for the New Architecture, we load the native entry point for this app.
69 | DefaultNewArchitectureEntryPoint.load();
70 | }
71 | ReactNativeFlipper.initializeFlipper(this, getReactNativeHost().getReactInstanceManager());
72 | ApplicationLifecycleDispatcher.onApplicationCreate(this);
73 | }
74 |
75 | @Override
76 | public void onConfigurationChanged(@NonNull Configuration newConfig) {
77 | super.onConfigurationChanged(newConfig);
78 | ApplicationLifecycleDispatcher.onConfigurationChanged(this, newConfig);
79 | }
80 | }
81 |
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable-hdpi/splashscreen_image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/drawable-hdpi/splashscreen_image.png
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable-mdpi/splashscreen_image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/drawable-mdpi/splashscreen_image.png
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable-xhdpi/splashscreen_image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/drawable-xhdpi/splashscreen_image.png
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable-xxhdpi/splashscreen_image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/drawable-xxhdpi/splashscreen_image.png
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable-xxxhdpi/splashscreen_image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/drawable-xxxhdpi/splashscreen_image.png
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable/rn_edit_text_material.xml:
--------------------------------------------------------------------------------
1 |
2 |
16 |
21 |
22 |
23 |
32 |
33 |
34 |
35 |
36 |
37 |
--------------------------------------------------------------------------------
/android/app/src/main/res/drawable/splashscreen.xml:
--------------------------------------------------------------------------------
1 |
2 |
3 |
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-anydpi-v26/ic_launcher_round.xml:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-hdpi/ic_launcher.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-hdpi/ic_launcher.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-hdpi/ic_launcher_foreground.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-hdpi/ic_launcher_foreground.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-hdpi/ic_launcher_round.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/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/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-mdpi/ic_launcher.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-mdpi/ic_launcher_foreground.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-mdpi/ic_launcher_foreground.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-mdpi/ic_launcher_round.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/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/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xhdpi/ic_launcher_foreground.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xhdpi/ic_launcher_foreground.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xhdpi/ic_launcher_round.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/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/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_foreground.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_foreground.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_round.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/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/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_foreground.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_foreground.png
--------------------------------------------------------------------------------
/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_round.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_round.png
--------------------------------------------------------------------------------
/android/app/src/main/res/values-night/colors.xml:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/android/app/src/main/res/values/colors.xml:
--------------------------------------------------------------------------------
1 |
2 | #ffffff
3 | #ffffff
4 | #023c69
5 | #ffffff
6 |
--------------------------------------------------------------------------------
/android/app/src/main/res/values/strings.xml:
--------------------------------------------------------------------------------
1 |
2 | meetingsApp
3 | contain
4 | false
5 | automatic
6 |
--------------------------------------------------------------------------------
/android/app/src/main/res/values/styles.xml:
--------------------------------------------------------------------------------
1 |
2 |
9 |
14 |
17 |
--------------------------------------------------------------------------------
/android/app/src/release/java/com/supersimon/meetingsApp/ReactNativeFlipper.java:
--------------------------------------------------------------------------------
1 | /**
2 | * Copyright (c) Meta Platforms, Inc. and affiliates.
3 | *
4 | * This source code is licensed under the MIT license found in the LICENSE file in the root
5 | * directory of this source tree.
6 | */
7 | package com.supersimon.meetingsApp;
8 |
9 | import android.content.Context;
10 | import com.facebook.react.ReactInstanceManager;
11 |
12 | /**
13 | * Class responsible of loading Flipper inside your React Native application. This is the release
14 | * flavor of it so it's empty as we don't want to load Flipper.
15 | */
16 | public class ReactNativeFlipper {
17 | public static void initializeFlipper(Context context, ReactInstanceManager reactInstanceManager) {
18 | // Do nothing as we don't want to initialize Flipper on Release.
19 | }
20 | }
21 |
--------------------------------------------------------------------------------
/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 = findProperty('android.buildToolsVersion') ?: '33.0.0'
6 | minSdkVersion = Integer.parseInt(findProperty('android.minSdkVersion') ?: '21')
7 | compileSdkVersion = Integer.parseInt(findProperty('android.compileSdkVersion') ?: '33')
8 | targetSdkVersion = Integer.parseInt(findProperty('android.targetSdkVersion') ?: '33')
9 | kotlinVersion = findProperty('android.kotlinVersion') ?: '1.8.10'
10 | frescoVersion = findProperty('expo.frescoVersion') ?: '2.5.0'
11 |
12 | // We use NDK 23 which has both M1 support and is the side-by-side NDK version from AGP.
13 | ndkVersion = "23.1.7779620"
14 | }
15 | repositories {
16 | google()
17 | mavenCentral()
18 | }
19 | dependencies {
20 | classpath('com.android.tools.build:gradle:7.4.2')
21 | classpath('com.facebook.react:react-native-gradle-plugin')
22 | }
23 | }
24 |
25 | allprojects {
26 | repositories {
27 | maven {
28 | // All of React Native (JS, Obj-C sources, Android binaries) is installed from npm
29 | url(new File(['node', '--print', "require.resolve('react-native/package.json')"].execute(null, rootDir).text.trim(), '../android'))
30 | }
31 | maven {
32 | // Android JSC is installed from npm
33 | url(new File(['node', '--print', "require.resolve('jsc-android/package.json')"].execute(null, rootDir).text.trim(), '../dist'))
34 | }
35 |
36 | google()
37 | mavenCentral()
38 | maven { url 'https://www.jitpack.io' }
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: -Xmx512m -XX:MaxMetaspaceSize=256m
13 | org.gradle.jvmargs=-Xmx2048m -XX:MaxMetaspaceSize=512m
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 | # AndroidX package structure to make it clearer which packages are bundled with the
21 | # Android operating system, and which are packaged with your app's APK
22 | # https://developer.android.com/topic/libraries/support-library/androidx-rn
23 | android.useAndroidX=true
24 |
25 | # Automatically convert third-party libraries to use AndroidX
26 | android.enableJetifier=true
27 |
28 | # Version of flipper SDK to use with React Native
29 | FLIPPER_VERSION=0.182.0
30 |
31 | # Use this property to specify which architecture you want to build.
32 | # You can also override it from the CLI using
33 | # ./gradlew -PreactNativeArchitectures=x86_64
34 | reactNativeArchitectures=armeabi-v7a,arm64-v8a,x86,x86_64
35 |
36 | # Use this property to enable support to the new architecture.
37 | # This will allow you to use TurboModules and the Fabric render in
38 | # your application. You should enable this flag either if you want
39 | # to write custom TurboModules/Fabric components OR use libraries that
40 | # are providing them.
41 | newArchEnabled=false
42 |
43 | # Use this property to enable or disable the Hermes JS engine.
44 | # If set to false, you will be using JSC instead.
45 | hermesEnabled=true
46 |
47 | # Enable GIF support in React Native images (~200 B increase)
48 | expo.gif.enabled=true
49 | # Enable webp support in React Native images (~85 KB increase)
50 | expo.webp.enabled=true
51 | # Enable animated webp support (~3.4 MB increase)
52 | # Disabled by default because iOS doesn't support animated webp
53 | expo.webp.animated=false
54 |
55 | # Enable network inspector
56 | EX_DEV_CLIENT_NETWORK_INSPECTOR=true
57 |
--------------------------------------------------------------------------------
/android/gradle/wrapper/gradle-wrapper.jar:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/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-8.0.1-all.zip
4 | networkTimeout=10000
5 | zipStoreBase=GRADLE_USER_HOME
6 | zipStorePath=wrapper/dists
7 |
--------------------------------------------------------------------------------
/android/gradlew:
--------------------------------------------------------------------------------
1 | #!/bin/sh
2 |
3 | #
4 | # Copyright © 2015-2021 the original authors.
5 | #
6 | # Licensed under the Apache License, Version 2.0 (the "License");
7 | # you may not use this file except in compliance with the License.
8 | # You may obtain a copy of the License at
9 | #
10 | # https://www.apache.org/licenses/LICENSE-2.0
11 | #
12 | # Unless required by applicable law or agreed to in writing, software
13 | # distributed under the License is distributed on an "AS IS" BASIS,
14 | # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15 | # See the License for the specific language governing permissions and
16 | # limitations under the License.
17 | #
18 |
19 | ##############################################################################
20 | #
21 | # Gradle start up script for POSIX generated by Gradle.
22 | #
23 | # Important for running:
24 | #
25 | # (1) You need a POSIX-compliant shell to run this script. If your /bin/sh is
26 | # noncompliant, but you have some other compliant shell such as ksh or
27 | # bash, then to run this script, type that shell name before the whole
28 | # command line, like:
29 | #
30 | # ksh Gradle
31 | #
32 | # Busybox and similar reduced shells will NOT work, because this script
33 | # requires all of these POSIX shell features:
34 | # * functions;
35 | # * expansions «$var», «${var}», «${var:-default}», «${var+SET}»,
36 | # «${var#prefix}», «${var%suffix}», and «$( cmd )»;
37 | # * compound commands having a testable exit status, especially «case»;
38 | # * various built-in commands including «command», «set», and «ulimit».
39 | #
40 | # Important for patching:
41 | #
42 | # (2) This script targets any POSIX shell, so it avoids extensions provided
43 | # by Bash, Ksh, etc; in particular arrays are avoided.
44 | #
45 | # The "traditional" practice of packing multiple parameters into a
46 | # space-separated string is a well documented source of bugs and security
47 | # problems, so this is (mostly) avoided, by progressively accumulating
48 | # options in "$@", and eventually passing that to Java.
49 | #
50 | # Where the inherited environment variables (DEFAULT_JVM_OPTS, JAVA_OPTS,
51 | # and GRADLE_OPTS) rely on word-splitting, this is performed explicitly;
52 | # see the in-line comments for details.
53 | #
54 | # There are tweaks for specific operating systems such as AIX, CygWin,
55 | # Darwin, MinGW, and NonStop.
56 | #
57 | # (3) This script is generated from the Groovy template
58 | # https://github.com/gradle/gradle/blob/master/subprojects/plugins/src/main/resources/org/gradle/api/internal/plugins/unixStartScript.txt
59 | # within the Gradle project.
60 | #
61 | # You can find Gradle at https://github.com/gradle/gradle/.
62 | #
63 | ##############################################################################
64 |
65 | # Attempt to set APP_HOME
66 |
67 | # Resolve links: $0 may be a link
68 | app_path=$0
69 |
70 | # Need this for daisy-chained symlinks.
71 | while
72 | APP_HOME=${app_path%"${app_path##*/}"} # leaves a trailing /; empty if no leading path
73 | [ -h "$app_path" ]
74 | do
75 | ls=$( ls -ld "$app_path" )
76 | link=${ls#*' -> '}
77 | case $link in #(
78 | /*) app_path=$link ;; #(
79 | *) app_path=$APP_HOME$link ;;
80 | esac
81 | done
82 |
83 | APP_HOME=$( cd "${APP_HOME:-./}" && pwd -P ) || exit
84 |
85 | APP_NAME="Gradle"
86 | APP_BASE_NAME=${0##*/}
87 |
88 | # Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
89 | DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"'
90 |
91 | # Use the maximum available, or set MAX_FD != -1 to use that value.
92 | MAX_FD=maximum
93 |
94 | warn () {
95 | echo "$*"
96 | } >&2
97 |
98 | die () {
99 | echo
100 | echo "$*"
101 | echo
102 | exit 1
103 | } >&2
104 |
105 | # OS specific support (must be 'true' or 'false').
106 | cygwin=false
107 | msys=false
108 | darwin=false
109 | nonstop=false
110 | case "$( uname )" in #(
111 | CYGWIN* ) cygwin=true ;; #(
112 | Darwin* ) darwin=true ;; #(
113 | MSYS* | MINGW* ) msys=true ;; #(
114 | NONSTOP* ) nonstop=true ;;
115 | esac
116 |
117 | CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar
118 |
119 |
120 | # Determine the Java command to use to start the JVM.
121 | if [ -n "$JAVA_HOME" ] ; then
122 | if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
123 | # IBM's JDK on AIX uses strange locations for the executables
124 | JAVACMD=$JAVA_HOME/jre/sh/java
125 | else
126 | JAVACMD=$JAVA_HOME/bin/java
127 | fi
128 | if [ ! -x "$JAVACMD" ] ; then
129 | die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME
130 |
131 | Please set the JAVA_HOME variable in your environment to match the
132 | location of your Java installation."
133 | fi
134 | else
135 | JAVACMD=java
136 | which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
137 |
138 | Please set the JAVA_HOME variable in your environment to match the
139 | location of your Java installation."
140 | fi
141 |
142 | # Increase the maximum file descriptors if we can.
143 | if ! "$cygwin" && ! "$darwin" && ! "$nonstop" ; then
144 | case $MAX_FD in #(
145 | max*)
146 | MAX_FD=$( ulimit -H -n ) ||
147 | warn "Could not query maximum file descriptor limit"
148 | esac
149 | case $MAX_FD in #(
150 | '' | soft) :;; #(
151 | *)
152 | ulimit -n "$MAX_FD" ||
153 | warn "Could not set maximum file descriptor limit to $MAX_FD"
154 | esac
155 | fi
156 |
157 | # Collect all arguments for the java command, stacking in reverse order:
158 | # * args from the command line
159 | # * the main class name
160 | # * -classpath
161 | # * -D...appname settings
162 | # * --module-path (only if needed)
163 | # * DEFAULT_JVM_OPTS, JAVA_OPTS, and GRADLE_OPTS environment variables.
164 |
165 | # For Cygwin or MSYS, switch paths to Windows format before running java
166 | if "$cygwin" || "$msys" ; then
167 | APP_HOME=$( cygpath --path --mixed "$APP_HOME" )
168 | CLASSPATH=$( cygpath --path --mixed "$CLASSPATH" )
169 |
170 | JAVACMD=$( cygpath --unix "$JAVACMD" )
171 |
172 | # Now convert the arguments - kludge to limit ourselves to /bin/sh
173 | for arg do
174 | if
175 | case $arg in #(
176 | -*) false ;; # don't mess with options #(
177 | /?*) t=${arg#/} t=/${t%%/*} # looks like a POSIX filepath
178 | [ -e "$t" ] ;; #(
179 | *) false ;;
180 | esac
181 | then
182 | arg=$( cygpath --path --ignore --mixed "$arg" )
183 | fi
184 | # Roll the args list around exactly as many times as the number of
185 | # args, so each arg winds up back in the position where it started, but
186 | # possibly modified.
187 | #
188 | # NB: a `for` loop captures its iteration list before it begins, so
189 | # changing the positional parameters here affects neither the number of
190 | # iterations, nor the values presented in `arg`.
191 | shift # remove old arg
192 | set -- "$@" "$arg" # push replacement arg
193 | done
194 | fi
195 |
196 | # Collect all arguments for the java command;
197 | # * $DEFAULT_JVM_OPTS, $JAVA_OPTS, and $GRADLE_OPTS can contain fragments of
198 | # shell script including quotes and variable substitutions, so put them in
199 | # double quotes to make sure that they get re-expanded; and
200 | # * put everything else in single quotes, so that it's not re-expanded.
201 |
202 | set -- \
203 | "-Dorg.gradle.appname=$APP_BASE_NAME" \
204 | -classpath "$CLASSPATH" \
205 | org.gradle.wrapper.GradleWrapperMain \
206 | "$@"
207 |
208 | # Stop when "xargs" is not available.
209 | if ! command -v xargs >/dev/null 2>&1
210 | then
211 | die "xargs is not available"
212 | fi
213 |
214 | # Use "xargs" to parse quoted args.
215 | #
216 | # With -n1 it outputs one arg per line, with the quotes and backslashes removed.
217 | #
218 | # In Bash we could simply go:
219 | #
220 | # readarray ARGS < <( xargs -n1 <<<"$var" ) &&
221 | # set -- "${ARGS[@]}" "$@"
222 | #
223 | # but POSIX shell has neither arrays nor command substitution, so instead we
224 | # post-process each arg (as a line of input to sed) to backslash-escape any
225 | # character that might be a shell metacharacter, then use eval to reverse
226 | # that process (while maintaining the separation between arguments), and wrap
227 | # the whole thing up as a single "set" statement.
228 | #
229 | # This will of course break if any of these variables contains a newline or
230 | # an unmatched quote.
231 | #
232 |
233 | eval "set -- $(
234 | printf '%s\n' "$DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS" |
235 | xargs -n1 |
236 | sed ' s~[^-[:alnum:]+,./:=@_]~\\&~g; ' |
237 | tr '\n' ' '
238 | )" '"$@"'
239 |
240 | exec "$JAVACMD" "$@"
241 |
--------------------------------------------------------------------------------
/android/gradlew.bat:
--------------------------------------------------------------------------------
1 | @rem
2 | @rem Copyright 2015 the original author or authors.
3 | @rem
4 | @rem Licensed under the Apache License, Version 2.0 (the "License");
5 | @rem you may not use this file except in compliance with the License.
6 | @rem You may obtain a copy of the License at
7 | @rem
8 | @rem https://www.apache.org/licenses/LICENSE-2.0
9 | @rem
10 | @rem Unless required by applicable law or agreed to in writing, software
11 | @rem distributed under the License is distributed on an "AS IS" BASIS,
12 | @rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 | @rem See the License for the specific language governing permissions and
14 | @rem limitations under the License.
15 | @rem
16 |
17 | @if "%DEBUG%"=="" @echo off
18 | @rem ##########################################################################
19 | @rem
20 | @rem Gradle startup script for Windows
21 | @rem
22 | @rem ##########################################################################
23 |
24 | @rem Set local scope for the variables with windows NT shell
25 | if "%OS%"=="Windows_NT" setlocal
26 |
27 | set DIRNAME=%~dp0
28 | if "%DIRNAME%"=="" set DIRNAME=.
29 | set APP_BASE_NAME=%~n0
30 | set APP_HOME=%DIRNAME%
31 |
32 | @rem Resolve any "." and ".." in APP_HOME to make it shorter.
33 | for %%i in ("%APP_HOME%") do set APP_HOME=%%~fi
34 |
35 | @rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
36 | set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m"
37 |
38 | @rem Find java.exe
39 | if defined JAVA_HOME goto findJavaFromJavaHome
40 |
41 | set JAVA_EXE=java.exe
42 | %JAVA_EXE% -version >NUL 2>&1
43 | if %ERRORLEVEL% equ 0 goto execute
44 |
45 | echo.
46 | echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
47 | echo.
48 | echo Please set the JAVA_HOME variable in your environment to match the
49 | echo location of your Java installation.
50 |
51 | goto fail
52 |
53 | :findJavaFromJavaHome
54 | set JAVA_HOME=%JAVA_HOME:"=%
55 | set JAVA_EXE=%JAVA_HOME%/bin/java.exe
56 |
57 | if exist "%JAVA_EXE%" goto execute
58 |
59 | echo.
60 | echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME%
61 | echo.
62 | echo Please set the JAVA_HOME variable in your environment to match the
63 | echo location of your Java installation.
64 |
65 | goto fail
66 |
67 | :execute
68 | @rem Setup the command line
69 |
70 | set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar
71 |
72 |
73 | @rem Execute Gradle
74 | "%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %*
75 |
76 | :end
77 | @rem End local scope for the variables with windows NT shell
78 | if %ERRORLEVEL% equ 0 goto mainEnd
79 |
80 | :fail
81 | rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of
82 | rem the _cmd.exe /c_ return code!
83 | set EXIT_CODE=%ERRORLEVEL%
84 | if %EXIT_CODE% equ 0 set EXIT_CODE=1
85 | if not ""=="%GRADLE_EXIT_CONSOLE%" exit %EXIT_CODE%
86 | exit /b %EXIT_CODE%
87 |
88 | :mainEnd
89 | if "%OS%"=="Windows_NT" endlocal
90 |
91 | :omega
92 |
--------------------------------------------------------------------------------
/android/settings.gradle:
--------------------------------------------------------------------------------
1 | rootProject.name = 'meetingsApp'
2 |
3 | apply from: new File(["node", "--print", "require.resolve('expo/package.json')"].execute(null, rootDir).text.trim(), "../scripts/autolinking.gradle");
4 | useExpoModules()
5 |
6 | apply from: new File(["node", "--print", "require.resolve('@react-native-community/cli-platform-android/package.json')"].execute(null, rootDir).text.trim(), "../native_modules.gradle");
7 | applyNativeModulesSettingsGradle(settings)
8 |
9 | include ':app'
10 | includeBuild(new File(["node", "--print", "require.resolve('@react-native/gradle-plugin/package.json')"].execute(null, rootDir).text.trim()).getParentFile())
11 |
--------------------------------------------------------------------------------
/app.json:
--------------------------------------------------------------------------------
1 | {
2 | "expo": {
3 | "name": "meetingsApp",
4 | "slug": "meetingsApp",
5 | "version": "1.0.0",
6 | "orientation": "portrait",
7 | "icon": "./assets/images/icon.png",
8 | "scheme": "myapp",
9 | "userInterfaceStyle": "automatic",
10 | "splash": {
11 | "image": "./assets/images/splash.png",
12 | "resizeMode": "contain",
13 | "backgroundColor": "#ffffff"
14 | },
15 | "assetBundlePatterns": ["**/*"],
16 | "ios": {
17 | "supportsTablet": true,
18 | "bundleIdentifier": "com.supersimon.meetingsApp"
19 | },
20 | "android": {
21 | "adaptiveIcon": {
22 | "foregroundImage": "./assets/images/adaptive-icon.png",
23 | "backgroundColor": "#ffffff"
24 | },
25 | "package": "com.supersimon.meetingsApp"
26 | },
27 | "web": {
28 | "bundler": "metro",
29 | "output": "static",
30 | "favicon": "./assets/images/favicon.png"
31 | },
32 | "plugins": [
33 | "expo-router",
34 | "@stream-io/video-react-native-sdk",
35 | [
36 | "@config-plugins/react-native-webrtc",
37 | {
38 | // optionally you can add your own explanations for permissions on iOS
39 | "cameraPermission": "Allow $(PRODUCT_NAME) to access your camera",
40 | "microphonePermission": "Allow $(PRODUCT_NAME) to access your microphone"
41 | }
42 | ],
43 | [
44 | "expo-build-properties",
45 | {
46 | "android": {
47 | "extraMavenRepos": ["$rootDir/../../../node_modules/@notifee/react-native/android/libs"]
48 | }
49 | }
50 | ]
51 | ],
52 | "experiments": {
53 | "typedRoutes": true
54 | }
55 | }
56 | }
57 |
--------------------------------------------------------------------------------
/app/(inside)/(room)/[id].tsx:
--------------------------------------------------------------------------------
1 | import { View, StyleSheet, Dimensions, TouchableOpacity, Share } from 'react-native';
2 | import React, { useEffect, useState } from 'react';
3 | import { useLocalSearchParams, useNavigation, useRouter } from 'expo-router';
4 |
5 | import Spinner from 'react-native-loading-spinner-overlay';
6 | import {
7 | Call,
8 | CallContent,
9 | StreamCall,
10 | StreamVideoEvent,
11 | useStreamVideoClient,
12 | } from '@stream-io/video-react-native-sdk';
13 | import Toast from 'react-native-toast-message';
14 |
15 | import CustomCallControls from '../../../components/CustomCallControls';
16 | import CustomTopView from '../../../components/CustomTopView';
17 | import { reactions } from '../../../components/CustomCallControls';
18 | import { Ionicons } from '@expo/vector-icons';
19 | import CustomBottomSheet from '../../../components/CustomBottomSheet';
20 | import ChatView from '../../../components/ChatView';
21 | const WIDTH = Dimensions.get('window').width;
22 | const HEIGHT = Dimensions.get('window').height;
23 |
24 | const Page = () => {
25 | const { id } = useLocalSearchParams<{ id: string }>();
26 | const router = useRouter();
27 | const navigation = useNavigation();
28 |
29 | const [call, setCall] = useState(null);
30 | const client = useStreamVideoClient();
31 |
32 | useEffect(() => {
33 | navigation.setOptions({
34 | headerRight: () => (
35 |
36 |
37 |
38 | ),
39 | });
40 |
41 | // Listen to call events
42 | const unsubscribe = client!.on('all', (event: StreamVideoEvent) => {
43 | console.log(event);
44 |
45 | if (event.type === 'call.reaction_new') {
46 | console.log(`New reaction: ${event.reaction}`);
47 | }
48 |
49 | if (event.type === 'call.session_participant_joined') {
50 | console.log(`New user joined the call: ${event.participant}`);
51 | const user = event.participant.user.name;
52 | Toast.show({
53 | text1: 'User joined',
54 | text2: `Say hello to ${user} 👋`,
55 | });
56 | }
57 |
58 | if (event.type === 'call.session_participant_left') {
59 | console.log(`Someone left the call: ${event.participant}`);
60 | const user = event.participant.user.name;
61 | Toast.show({
62 | text1: 'User left',
63 | text2: `Say goodbye to ${user} 👋`,
64 | });
65 | }
66 | });
67 |
68 | // Stop the listener when the component unmounts
69 | return () => {
70 | unsubscribe();
71 | };
72 | }, []);
73 |
74 | // Join the call
75 | useEffect(() => {
76 | if (!client || call) return;
77 |
78 | const joinCall = async () => {
79 | const call = client!.call('default', id);
80 | await call.join({ create: true });
81 | setCall(call);
82 | };
83 |
84 | joinCall();
85 | }, [call]);
86 |
87 | // Navigate back home on hangup
88 | const goToHomeScreen = async () => {
89 | router.back();
90 | };
91 |
92 | // Share the meeting link
93 | const shareMeeting = async () => {
94 | Share.share({
95 | message: `Join my meeting: myapp://(inside)/(room)/${id}`,
96 | });
97 | };
98 |
99 | if (!call) return null;
100 |
101 | return (
102 |
103 |
104 |
105 |
106 |
107 |
114 |
115 | {WIDTH > HEIGHT ? (
116 |
117 |
118 |
119 | ) : (
120 |
121 | )}
122 |
123 |
124 |
125 | );
126 | };
127 |
128 | const styles = StyleSheet.create({
129 | container: {
130 | flex: 1,
131 | flexDirection: WIDTH > HEIGHT ? 'row' : 'column',
132 | },
133 | videoContainer: {
134 | flex: 1,
135 | justifyContent: 'center',
136 | textAlign: 'center',
137 | backgroundColor: '#fff',
138 | },
139 |
140 | topView: {
141 | flex: 1,
142 | justifyContent: 'center',
143 | alignItems: 'center',
144 | backgroundColor: '#fff',
145 | },
146 | });
147 |
148 | export default Page;
149 |
--------------------------------------------------------------------------------
/app/(inside)/_layout.tsx:
--------------------------------------------------------------------------------
1 | import React from 'react';
2 | import { Stack } from 'expo-router';
3 | import { TouchableOpacity } from 'react-native';
4 | import { useAuth } from '../../context/AuthContext';
5 | import { Ionicons } from '@expo/vector-icons';
6 |
7 | const Layout = () => {
8 | const { onLogout } = useAuth();
9 |
10 | return (
11 |
18 | (
23 |
24 |
25 |
26 | ),
27 | }}
28 | />
29 |
30 |
31 |
32 | );
33 | };
34 |
35 | export default Layout;
36 |
--------------------------------------------------------------------------------
/app/(inside)/index.tsx:
--------------------------------------------------------------------------------
1 | import {
2 | View,
3 | StyleSheet,
4 | ScrollView,
5 | Text,
6 | ImageBackground,
7 | TouchableOpacity,
8 | Dimensions,
9 | Alert,
10 | } from 'react-native';
11 | import { rooms } from '../../assets/data/rooms';
12 | import { Link, useRouter } from 'expo-router';
13 | const WIDTH = Dimensions.get('window').width;
14 | const HEIGHT = Dimensions.get('window').height;
15 |
16 | import { Ionicons } from '@expo/vector-icons';
17 | import Colors from '../../constants/Colors';
18 |
19 | const Page = () => {
20 | const router = useRouter();
21 |
22 | // Create random id and navigate to the room
23 | const onStartMeeting = async () => {
24 | const randomId = Math.floor(Math.random() * 1000000000).toString();
25 | router.push(`/(inside)/(room)/${randomId}`);
26 | };
27 |
28 | // Prompt user to enter a call id and navigate to the room
29 | const onJoinMeeting = () => {
30 | Alert.prompt(
31 | 'Join',
32 | 'Please enter your Call ID:',
33 | (id) => {
34 | console.log('Joining call: ', id);
35 | router.push(`/(inside)/(room)/${id}`);
36 | },
37 | 'plain-text'
38 | );
39 | };
40 |
41 | return (
42 |
43 |
48 |
49 |
50 | Start new Meeting
51 |
52 |
53 |
54 |
55 | Join Meeting by ID
56 |
57 |
58 |
59 |
60 |
61 | or join public room
62 |
63 |
64 |
65 |
66 | {rooms.map((room, index) => (
67 |
68 |
69 |
74 |
75 | {room.name}
76 |
77 |
78 |
79 |
80 | ))}
81 |
82 |
83 | );
84 | };
85 |
86 | const styles = StyleSheet.create({
87 | container: {
88 | flex: 1,
89 | backgroundColor: '#fff',
90 | },
91 | wrapper: {
92 | alignItems: 'center',
93 | justifyContent: 'center',
94 | flexDirection: WIDTH > HEIGHT ? 'row' : 'column',
95 | gap: 20,
96 | },
97 | button: {
98 | flex: 1,
99 | gap: 10,
100 | flexDirection: 'row',
101 | alignItems: 'center',
102 | justifyContent: 'center',
103 | backgroundColor: Colors.secondary,
104 | margin: 20,
105 | padding: 30,
106 | borderRadius: 10,
107 | },
108 | buttonText: {
109 | fontSize: 20,
110 | fontWeight: 'bold',
111 | marginRight: 10,
112 | },
113 | divider: {
114 | flexDirection: 'row',
115 | alignItems: 'center',
116 | gap: 10,
117 | marginHorizontal: 20,
118 | marginTop: 20,
119 | marginBottom: 40,
120 | },
121 |
122 | image: {
123 | width: WIDTH > HEIGHT ? WIDTH / 4 - 30 : WIDTH - 40,
124 | height: 300,
125 | },
126 | overlay: {
127 | position: 'absolute',
128 | top: 0,
129 | left: 0,
130 | right: 0,
131 | bottom: 0,
132 | justifyContent: 'center',
133 | alignItems: 'center',
134 | backgroundColor: 'rgba(0,0,0,0.4)',
135 | borderRadius: 10,
136 | },
137 | text: {
138 | color: '#fff',
139 | fontSize: 30,
140 | fontWeight: 'bold',
141 | textAlign: 'center',
142 | },
143 | });
144 |
145 | export default Page;
146 |
--------------------------------------------------------------------------------
/app/_layout.tsx:
--------------------------------------------------------------------------------
1 | import 'react-native-gesture-handler';
2 | import React, { useEffect, useState } from 'react';
3 | import { Slot, Stack, useRouter, useSegments } from 'expo-router';
4 | import { StreamVideo, StreamVideoClient, User } from '@stream-io/video-react-native-sdk';
5 | import { AuthProvider, useAuth } from '../context/AuthContext';
6 | import { GestureHandlerRootView } from 'react-native-gesture-handler';
7 | import { OverlayProvider } from 'stream-chat-expo';
8 | import Toast from 'react-native-toast-message';
9 |
10 | const STREAM_KEY = process.env.EXPO_PUBLIC_STREAM_ACCESS_KEY;
11 |
12 | const InitialLayout = () => {
13 | const { authState, initialized } = useAuth();
14 | const [client, setClient] = useState(null);
15 | const segments = useSegments();
16 | const router = useRouter();
17 |
18 | // Navigate the user to the correct page based on their authentication state
19 | useEffect(() => {
20 | if (!initialized) return;
21 |
22 | // Check if the path/url is in the (inside) group
23 | const inAuthGroup = segments[0] === '(inside)';
24 |
25 | if (authState?.authenticated && !inAuthGroup) {
26 | // Redirect authenticated users to the list page
27 | router.replace('/(inside)');
28 | } else if (!authState?.authenticated) {
29 | // Redirect unauthenticated users to the login page
30 | client?.disconnectUser();
31 | router.replace('/');
32 | }
33 | }, [initialized, authState]);
34 |
35 | // Initialize the StreamVideoClient when the user is authenticated
36 | useEffect(() => {
37 | if (authState?.authenticated && authState.token) {
38 | const user: User = { id: authState.user_id! };
39 |
40 | try {
41 | const client = new StreamVideoClient({ apiKey: STREAM_KEY!, user, token: authState.token });
42 | setClient(client);
43 | } catch (e) {
44 | console.log('Error creating client: ', e);
45 | }
46 | }
47 | }, [authState]);
48 |
49 | // Conditionally render the correct layout
50 | return (
51 | <>
52 | {!client && (
53 |
54 |
55 |
56 | )}
57 | {client && (
58 |
59 |
60 |
61 |
62 |
63 |
64 | )}
65 | >
66 | );
67 | };
68 |
69 | // Wrap the app with the AuthProvider
70 | const RootLayout = () => {
71 | return (
72 |
73 |
74 |
75 |
76 |
77 | );
78 | };
79 |
80 | export default RootLayout;
81 |
--------------------------------------------------------------------------------
/app/index.tsx:
--------------------------------------------------------------------------------
1 | import {
2 | Text,
3 | StyleSheet,
4 | Alert,
5 | Button,
6 | TextInput,
7 | TouchableOpacity,
8 | KeyboardAvoidingView,
9 | Platform,
10 | } from 'react-native';
11 | import React, { useState } from 'react';
12 | import Colors from '../constants/Colors';
13 | import Spinner from 'react-native-loading-spinner-overlay';
14 | import { useAuth } from '../context/AuthContext';
15 |
16 | const Page = () => {
17 | const [email, setEmail] = useState('');
18 | const [password, setPassword] = useState('');
19 | const [loading, setLoading] = useState(false);
20 | const { onLogin, onRegister } = useAuth();
21 |
22 | // Sign in with email and password
23 | const onSignInPress = async () => {
24 | setLoading(true);
25 |
26 | try {
27 | const result = await onLogin!(email, password);
28 | } catch (e) {
29 | Alert.alert('Error', 'Could not log in');
30 | } finally {
31 | setLoading(false);
32 | }
33 | };
34 |
35 | // Create a new user
36 | const onSignUpPress = async () => {
37 | setLoading(true);
38 | try {
39 | const result = await onRegister!(email, password);
40 | } catch (e) {
41 | Alert.alert('Error', 'Could not log in');
42 | } finally {
43 | setLoading(false);
44 | }
45 | };
46 |
47 | return (
48 |
51 |
52 | Meet Me
53 | The fastest way to meet
54 |
61 |
68 |
69 |
70 | Sign in
71 |
72 |
73 |
74 | );
75 | };
76 | const styles = StyleSheet.create({
77 | container: {
78 | flex: 1,
79 | padding: 20,
80 | paddingHorizontal: '20%',
81 | justifyContent: 'center',
82 | },
83 | header: {
84 | fontSize: 30,
85 | textAlign: 'center',
86 | marginBottom: 10,
87 | },
88 | subheader: {
89 | fontSize: 18,
90 | textAlign: 'center',
91 | marginBottom: 40,
92 | },
93 | inputField: {
94 | marginVertical: 4,
95 | height: 50,
96 | borderWidth: 1,
97 | borderColor: Colors.primary,
98 | borderRadius: 4,
99 | padding: 10,
100 | },
101 | button: {
102 | marginVertical: 15,
103 | alignItems: 'center',
104 | backgroundColor: Colors.primary,
105 | padding: 12,
106 | borderRadius: 4,
107 | },
108 | });
109 | export default Page;
110 |
--------------------------------------------------------------------------------
/assets/data/1.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/data/1.png
--------------------------------------------------------------------------------
/assets/data/2.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/data/2.png
--------------------------------------------------------------------------------
/assets/data/3.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/data/3.png
--------------------------------------------------------------------------------
/assets/data/4.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/data/4.png
--------------------------------------------------------------------------------
/assets/data/rooms.ts:
--------------------------------------------------------------------------------
1 | export const rooms = [
2 | {
3 | id: 10001,
4 | name: 'Public Informations',
5 | img: require('./1.png'),
6 | },
7 | {
8 | id: 10002,
9 | name: 'Meme Lovers',
10 | img: require('./2.png'),
11 | },
12 | {
13 | id: 10003,
14 | name: 'Crypto Fans',
15 | img: require('./3.png'),
16 | },
17 | {
18 | id: 10004,
19 | name: 'Gaming Fans',
20 | img: require('./4.png'),
21 | },
22 | ];
23 |
--------------------------------------------------------------------------------
/assets/fonts/SpaceMono-Regular.ttf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/fonts/SpaceMono-Regular.ttf
--------------------------------------------------------------------------------
/assets/images/adaptive-icon.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/images/adaptive-icon.png
--------------------------------------------------------------------------------
/assets/images/favicon.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/images/favicon.png
--------------------------------------------------------------------------------
/assets/images/icon.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/images/icon.png
--------------------------------------------------------------------------------
/assets/images/splash.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/assets/images/splash.png
--------------------------------------------------------------------------------
/babel.config.js:
--------------------------------------------------------------------------------
1 | module.exports = function (api) {
2 | api.cache(true);
3 | return {
4 | presets: ['babel-preset-expo'],
5 | plugins: [
6 | // Required for expo-router
7 | 'expo-router/babel',
8 | 'react-native-reanimated/plugin',
9 | ],
10 | };
11 | };
12 |
--------------------------------------------------------------------------------
/components/ChatView.tsx:
--------------------------------------------------------------------------------
1 | import { View, Text } from 'react-native';
2 | import React, { useEffect, useState } from 'react';
3 | import { StreamChat } from 'stream-chat';
4 | import { useAuth } from '../context/AuthContext';
5 | import {
6 | Channel,
7 | Chat,
8 | DefaultStreamChatGenerics,
9 | MessageInput,
10 | MessageList,
11 | } from 'stream-chat-expo';
12 | import { Channel as ChannelType } from 'stream-chat';
13 |
14 | const STREAM_KEY = process.env.EXPO_PUBLIC_STREAM_ACCESS_KEY;
15 |
16 | type Props = {
17 | channelId: string;
18 | };
19 |
20 | const ChatView = ({ channelId }: Props) => {
21 | const chatClient = StreamChat.getInstance(STREAM_KEY!);
22 | const { authState } = useAuth();
23 | const [channel, setChannel] = useState | undefined>(
24 | undefined
25 | );
26 |
27 | // Connect to the channel with the same ID as the video call
28 | useEffect(() => {
29 | const connectToChannel = async () => {
30 | const user = { id: authState?.user_id! };
31 |
32 | await chatClient.connectUser(user, authState?.token!);
33 | const channel = chatClient.channel('messaging', channelId);
34 |
35 | setChannel(channel);
36 | await channel.watch();
37 | };
38 |
39 | connectToChannel();
40 |
41 | // Cleanup
42 | return () => {
43 | channel?.stopWatching();
44 | chatClient.disconnectUser();
45 | };
46 | }, []);
47 |
48 | return (
49 | <>
50 | {chatClient && channel ? (
51 |
52 |
53 |
54 |
55 |
56 |
57 | ) : (
58 |
59 | Loading Chat...
60 |
61 | )}
62 | >
63 | );
64 | };
65 |
66 | export default ChatView;
67 |
--------------------------------------------------------------------------------
/components/CustomBottomSheet.tsx:
--------------------------------------------------------------------------------
1 | import { StyleSheet, Text, KeyboardAvoidingView, Platform } from 'react-native';
2 | import React, { forwardRef, useMemo } from 'react';
3 | import BottomSheet, { BottomSheetView } from '@gorhom/bottom-sheet';
4 | import ChatView from './ChatView';
5 | import Colors from '../constants/Colors';
6 | export type Ref = BottomSheet;
7 |
8 | interface Props {
9 | channelId: string;
10 | }
11 |
12 | // Custom Bottom Sheet to display the chat
13 | const CustomBottomSheet = forwardRef[((props, ref) => {
14 | const snapPoints = useMemo(() => ['15%', '100%'], []);
15 |
16 | return (
17 |
23 |
24 | Chat
25 |
29 |
30 |
31 |
32 |
33 | );
34 | });
35 |
36 | const styles = StyleSheet.create({
37 | contentContainer: {
38 | flex: 1,
39 | paddingBottom: 20,
40 | },
41 | containerHeadline: {
42 | fontSize: 24,
43 | fontWeight: '600',
44 | padding: 20,
45 | textAlign: 'center',
46 | },
47 | });
48 |
49 | export default CustomBottomSheet;
50 |
--------------------------------------------------------------------------------
/components/CustomCallControls.tsx:
--------------------------------------------------------------------------------
1 | import {
2 | CallControlProps,
3 | useCall,
4 | HangUpCallButton,
5 | ToggleAudioPublishingButton,
6 | ToggleVideoPublishingButton,
7 | ToggleCameraFaceButton,
8 | ReactionsButton,
9 | StreamReactionType,
10 | } from '@stream-io/video-react-native-sdk';
11 | import React from 'react';
12 | import { View, StyleSheet, Button } from 'react-native';
13 | import Colors from '../constants/Colors';
14 |
15 | export const reactions: StreamReactionType[] = [
16 | {
17 | type: 'reaction',
18 | emoji_code: ':smile:',
19 | custom: {},
20 | icon: '😊',
21 | },
22 | {
23 | type: 'raised-hand',
24 | emoji_code: ':raise-hand:',
25 | custom: {},
26 | icon: '✋',
27 | },
28 | {
29 | type: 'reaction',
30 | emoji_code: ':fireworks:',
31 | custom: {},
32 | icon: '🎉',
33 | },
34 | {
35 | type: 'reaction',
36 | emoji_code: ':like:',
37 | custom: {},
38 | icon: '😍',
39 | },
40 | ];
41 |
42 | // Custom View for the call controls and reactions
43 | const CustomCallControls = (props: CallControlProps) => {
44 | const call = useCall();
45 |
46 | const onLike = () => {
47 | const reaction = {
48 | type: 'reaction',
49 | emoji_code: ':like:',
50 | custom: {},
51 | icon: '😍',
52 | };
53 | call?.sendReaction(reaction);
54 | };
55 |
56 | return (
57 |
58 | call?.microphone.toggle()} />
59 | call?.camera.toggle()} />
60 | call?.camera.flip()} />
61 |
62 |
63 |
64 |
65 | );
66 | };
67 |
68 | const styles = StyleSheet.create({
69 | customCallControlsContainer: {
70 | position: 'absolute',
71 | right: 0,
72 | top: 160,
73 | gap: 10,
74 | marginHorizontal: 10,
75 | paddingVertical: 10,
76 | paddingHorizontal: 20,
77 | backgroundColor: '#0333c17c',
78 | borderRadius: 6,
79 | borderColor: '#fff',
80 | borderWidth: 2,
81 | zIndex: 5,
82 | },
83 | });
84 |
85 | export default CustomCallControls;
86 |
--------------------------------------------------------------------------------
/components/CustomTopView.tsx:
--------------------------------------------------------------------------------
1 | import { useCallStateHooks } from '@stream-io/video-react-native-sdk';
2 | import { View, StyleSheet, Text } from 'react-native';
3 |
4 | // Custom View to display the number of participants in the call
5 | const CustomTopView = () => {
6 | const { useParticipants } = useCallStateHooks();
7 | const participants = useParticipants();
8 |
9 | return (
10 |
11 |
12 | {participants.length} participant{participants.length > 1 ? 's' : ''} in the Video Call
13 |
14 |
15 | );
16 | };
17 |
18 | const styles = StyleSheet.create({
19 | topContainer: {
20 | width: '75%',
21 | position: 'absolute',
22 | left: '25%',
23 | height: 50,
24 | backgroundColor: '#0333c17c',
25 | justifyContent: 'center',
26 | alignItems: 'center',
27 | },
28 | topText: {
29 | color: 'white',
30 | fontSize: 14,
31 | padding: 10,
32 | },
33 | });
34 |
35 | export default CustomTopView;
36 |
--------------------------------------------------------------------------------
/constants/Colors.ts:
--------------------------------------------------------------------------------
1 | export default {
2 | primary: '#0333C1',
3 | secondary: '#00ecbb',
4 | };
5 |
--------------------------------------------------------------------------------
/context/AuthContext.tsx:
--------------------------------------------------------------------------------
1 | import { createContext, useContext, useEffect, useState } from 'react';
2 | import * as SecureStore from 'expo-secure-store';
3 |
4 | interface AuthProps {
5 | authState: { token: string | null; authenticated: boolean | null; user_id: string | null };
6 | onRegister: (email: string, password: string) => Promise;
7 | onLogin: (email: string, password: string) => Promise;
8 | onLogout: () => Promise;
9 | initialized: boolean;
10 | }
11 |
12 | const TOKEN_KEY = 'my-token';
13 | export const API_URL = process.env.EXPO_PUBLIC_SERVER_URL;
14 | const AuthContext = createContext>({});
15 |
16 | // Easy access to our Provider
17 | export const useAuth = () => {
18 | return useContext(AuthContext);
19 | };
20 |
21 | export const AuthProvider = ({ children }: any) => {
22 | const [authState, setAuthState] = useState<{
23 | token: string | null;
24 | authenticated: boolean | null;
25 | user_id: string | null;
26 | }>({
27 | token: null,
28 | authenticated: null,
29 | user_id: null,
30 | });
31 | const [initialized, setInitialized] = useState(false);
32 |
33 | useEffect(() => {
34 | const loadToken = async () => {
35 | // Load token on startup
36 | const data = await SecureStore.getItemAsync(TOKEN_KEY);
37 |
38 | if (data) {
39 | const object = JSON.parse(data);
40 | // Set our context state
41 | setAuthState({
42 | token: object.token,
43 | authenticated: true,
44 | user_id: object.user.id,
45 | });
46 | }
47 | setInitialized(true);
48 | };
49 | loadToken();
50 | }, []);
51 |
52 | const login = async (email: string, password: string) => {
53 | try {
54 | // fetch POST request to /login
55 | const result = await fetch(`${API_URL}/login`, {
56 | method: 'POST',
57 | headers: {
58 | 'Content-Type': 'application/json',
59 | },
60 | body: JSON.stringify({ email, password }),
61 | });
62 |
63 | const json = await result.json();
64 |
65 | // Set our context state
66 | setAuthState({
67 | token: json.token,
68 | authenticated: true,
69 | user_id: json.user.id,
70 | });
71 |
72 | // Write the JWT to our secure storage
73 | await SecureStore.setItemAsync(TOKEN_KEY, JSON.stringify(json));
74 |
75 | return result;
76 | } catch (e) {
77 | return { error: true, msg: (e as any).response.data.msg };
78 | }
79 | };
80 |
81 | const register = async (email: string, password: string) => {
82 | try {
83 | const result = await fetch(`${API_URL}/register`, {
84 | method: 'POST',
85 | headers: {
86 | 'Content-Type': 'application/json',
87 | },
88 | body: JSON.stringify({ email, password }),
89 | });
90 |
91 | const json = await result.json();
92 | console.log('register:', json);
93 |
94 | // Set our context state
95 | setAuthState({
96 | token: json.token,
97 | authenticated: true,
98 | user_id: json.user.id,
99 | });
100 |
101 | // Write the JWT to our secure storage
102 | await SecureStore.setItemAsync(TOKEN_KEY, JSON.stringify(json));
103 |
104 | return json;
105 | } catch (e) {
106 | return { error: true, msg: (e as any).response.data.msg };
107 | }
108 | };
109 |
110 | const logout = async () => {
111 | // Delete token from storage
112 | await SecureStore.deleteItemAsync(TOKEN_KEY);
113 |
114 | // Reset auth state
115 | setAuthState({
116 | token: null,
117 | authenticated: false,
118 | user_id: null,
119 | });
120 | };
121 |
122 | const value = {
123 | onRegister: register,
124 | onLogin: login,
125 | onLogout: logout,
126 | authState,
127 | initialized,
128 | };
129 |
130 | return {children};
131 | };
132 |
--------------------------------------------------------------------------------
/install.sh:
--------------------------------------------------------------------------------
1 | # App
2 | npx create-expo-app meetingsApp -t tabs
3 |
4 | # Chat Packages
5 | npx expo install stream-chat-expo stream-chat-react-native
6 | npx expo install @react-native-community/netinfo expo-file-system expo-image-manipulator expo-image-picker expo-media-library react-native-gesture-handler react-native-reanimated react-native-svg expo-clipboard
7 |
8 | # Livestream
9 | npx expo install @stream-io/video-react-native-sdk
10 | npx expo install @stream-io/react-native-webrtc
11 | npx expo install @config-plugins/react-native-webrtc
12 | npx expo install react-native-incall-manager
13 | npx expo install @notifee/react-native
14 |
15 | # Utils
16 | npm install react-native-loading-spinner-overlay react-native-toast-message
17 | npx expo install expo-secure-store
18 | npx expo install expo-sharing
19 |
20 | # Bottom Sheet
21 | npm i @gorhom/bottom-sheet
22 |
23 | # dev client
24 | npx expo install expo-dev-client
25 | npx expo prebuild
26 | npx expo prebuild --clean
27 | npx expo start --clear
--------------------------------------------------------------------------------
/ios/.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 | .xcode.env.local
25 |
26 | # Bundle artifacts
27 | *.jsbundle
28 |
29 | # CocoaPods
30 | /Pods/
31 |
--------------------------------------------------------------------------------
/ios/.xcode.env:
--------------------------------------------------------------------------------
1 | # This `.xcode.env` file is versioned and is used to source the environment
2 | # used when running script phases inside Xcode.
3 | # To customize your local environment, you can create an `.xcode.env.local`
4 | # file that is not versioned.
5 |
6 | # NODE_BINARY variable contains the PATH to the node executable.
7 | #
8 | # Customize the NODE_BINARY variable here.
9 | # For example, to use nvm with brew, add the following line
10 | # . "$(brew --prefix nvm)/nvm.sh" --no-use
11 | export NODE_BINARY=$(command -v node)
12 |
--------------------------------------------------------------------------------
/ios/Podfile:
--------------------------------------------------------------------------------
1 | require File.join(File.dirname(`node --print "require.resolve('expo/package.json')"`), "scripts/autolinking")
2 | require File.join(File.dirname(`node --print "require.resolve('react-native/package.json')"`), "scripts/react_native_pods")
3 |
4 | require 'json'
5 | podfile_properties = JSON.parse(File.read(File.join(__dir__, 'Podfile.properties.json'))) rescue {}
6 |
7 | ENV['RCT_NEW_ARCH_ENABLED'] = podfile_properties['newArchEnabled'] == 'true' ? '1' : '0'
8 | ENV['EX_DEV_CLIENT_NETWORK_INSPECTOR'] = podfile_properties['EX_DEV_CLIENT_NETWORK_INSPECTOR']
9 |
10 | platform :ios, podfile_properties['ios.deploymentTarget'] || '13.0'
11 | install! 'cocoapods',
12 | :deterministic_uuids => false
13 |
14 | prepare_react_native_project!
15 |
16 | # If you are using a `react-native-flipper` your iOS build will fail when `NO_FLIPPER=1` is set.
17 | # because `react-native-flipper` depends on (FlipperKit,...), which will be excluded. To fix this,
18 | # you can also exclude `react-native-flipper` in `react-native.config.js`
19 | #
20 | # ```js
21 | # module.exports = {
22 | # dependencies: {
23 | # ...(process.env.NO_FLIPPER ? { 'react-native-flipper': { platforms: { ios: null } } } : {}),
24 | # }
25 | # }
26 | # ```
27 | flipper_config = FlipperConfiguration.disabled
28 | if ENV['NO_FLIPPER'] == '1' then
29 | # Explicitly disabled through environment variables
30 | flipper_config = FlipperConfiguration.disabled
31 | elsif podfile_properties.key?('ios.flipper') then
32 | # Configure Flipper in Podfile.properties.json
33 | if podfile_properties['ios.flipper'] == 'true' then
34 | flipper_config = FlipperConfiguration.enabled(["Debug", "Release"])
35 | elsif podfile_properties['ios.flipper'] != 'false' then
36 | flipper_config = FlipperConfiguration.enabled(["Debug", "Release"], { 'Flipper' => podfile_properties['ios.flipper'] })
37 | end
38 | end
39 |
40 | target 'meetingsApp' do
41 | use_expo_modules!
42 | config = use_native_modules!
43 |
44 | use_frameworks! :linkage => podfile_properties['ios.useFrameworks'].to_sym if podfile_properties['ios.useFrameworks']
45 | use_frameworks! :linkage => ENV['USE_FRAMEWORKS'].to_sym if ENV['USE_FRAMEWORKS']
46 |
47 | # Flags change depending on the env values.
48 | flags = get_default_flags()
49 |
50 | use_react_native!(
51 | :path => config[:reactNativePath],
52 | :hermes_enabled => podfile_properties['expo.jsEngine'] == nil || podfile_properties['expo.jsEngine'] == 'hermes',
53 | :fabric_enabled => flags[:fabric_enabled],
54 | # An absolute path to your application root.
55 | :app_path => "#{Pod::Config.instance.installation_root}/..",
56 | # Note that if you have use_frameworks! enabled, Flipper will not work if enabled
57 | :flipper_configuration => flipper_config
58 | )
59 |
60 | post_install do |installer|
61 | react_native_post_install(
62 | installer,
63 | config[:reactNativePath],
64 | :mac_catalyst_enabled => false
65 | )
66 | __apply_Xcode_12_5_M1_post_install_workaround(installer)
67 |
68 | # This is necessary for Xcode 14, because it signs resource bundles by default
69 | # when building for devices.
70 | installer.target_installation_results.pod_target_installation_results
71 | .each do |pod_name, target_installation_result|
72 | target_installation_result.resource_bundle_targets.each do |resource_bundle_target|
73 | resource_bundle_target.build_configurations.each do |config|
74 | config.build_settings['CODE_SIGNING_ALLOWED'] = 'NO'
75 | end
76 | end
77 | end
78 | end
79 |
80 | post_integrate do |installer|
81 | begin
82 | expo_patch_react_imports!(installer)
83 | rescue => e
84 | Pod::UI.warn e
85 | end
86 | end
87 | end
88 |
--------------------------------------------------------------------------------
/ios/Podfile.lock:
--------------------------------------------------------------------------------
1 | PODS:
2 | - boost (1.76.0)
3 | - DoubleConversion (1.1.6)
4 | - EXApplication (5.3.1):
5 | - ExpoModulesCore
6 | - EXConstants (14.4.2):
7 | - ExpoModulesCore
8 | - EXFileSystem (15.4.4):
9 | - ExpoModulesCore
10 | - EXFont (11.4.0):
11 | - ExpoModulesCore
12 | - EXImageLoader (4.3.0):
13 | - ExpoModulesCore
14 | - React-Core
15 | - EXJSONUtils (0.7.1)
16 | - EXManifests (0.7.2):
17 | - ExpoModulesCore
18 | - EXMediaLibrary (15.4.1):
19 | - ExpoModulesCore
20 | - RCT-Folly (= 2021.07.22.00)
21 | - React-Core
22 | - Expo (49.0.15):
23 | - ExpoModulesCore
24 | - expo-dev-client (2.4.11):
25 | - EXManifests
26 | - expo-dev-launcher
27 | - expo-dev-menu
28 | - expo-dev-menu-interface
29 | - EXUpdatesInterface
30 | - expo-dev-launcher (2.4.13):
31 | - EXManifests
32 | - expo-dev-launcher/Main (= 2.4.13)
33 | - expo-dev-menu
34 | - expo-dev-menu-interface
35 | - ExpoModulesCore
36 | - EXUpdatesInterface
37 | - RCT-Folly (= 2021.07.22.00)
38 | - React-Core
39 | - React-RCTAppDelegate
40 | - expo-dev-launcher/Main (2.4.13):
41 | - EXManifests
42 | - expo-dev-launcher/Unsafe
43 | - expo-dev-menu
44 | - expo-dev-menu-interface
45 | - ExpoModulesCore
46 | - EXUpdatesInterface
47 | - RCT-Folly (= 2021.07.22.00)
48 | - React-Core
49 | - React-RCTAppDelegate
50 | - expo-dev-launcher/Unsafe (2.4.13):
51 | - EXManifests
52 | - expo-dev-menu
53 | - expo-dev-menu-interface
54 | - ExpoModulesCore
55 | - EXUpdatesInterface
56 | - RCT-Folly (= 2021.07.22.00)
57 | - React-Core
58 | - React-RCTAppDelegate
59 | - expo-dev-menu (3.2.1):
60 | - expo-dev-menu/Main (= 3.2.1)
61 | - RCT-Folly (= 2021.07.22.00)
62 | - React-Core
63 | - expo-dev-menu-interface (1.3.0)
64 | - expo-dev-menu/Main (3.2.1):
65 | - EXManifests
66 | - expo-dev-menu-interface
67 | - expo-dev-menu/Vendored
68 | - ExpoModulesCore
69 | - RCT-Folly (= 2021.07.22.00)
70 | - React-Core
71 | - expo-dev-menu/SafeAreaView (3.2.1):
72 | - ExpoModulesCore
73 | - RCT-Folly (= 2021.07.22.00)
74 | - React-Core
75 | - expo-dev-menu/Vendored (3.2.1):
76 | - expo-dev-menu/SafeAreaView
77 | - RCT-Folly (= 2021.07.22.00)
78 | - React-Core
79 | - ExpoClipboard (4.3.1):
80 | - ExpoModulesCore
81 | - ExpoHead (0.0.15):
82 | - ExpoModulesCore
83 | - ExpoImageManipulator (11.3.0):
84 | - EXImageLoader
85 | - ExpoModulesCore
86 | - ExpoImagePicker (14.3.2):
87 | - ExpoModulesCore
88 | - ExpoKeepAwake (12.3.0):
89 | - ExpoModulesCore
90 | - ExpoModulesCore (1.5.11):
91 | - RCT-Folly (= 2021.07.22.00)
92 | - React-Core
93 | - React-NativeModulesApple
94 | - React-RCTAppDelegate
95 | - ReactCommon/turbomodule/core
96 | - ExpoSecureStore (12.3.1):
97 | - ExpoModulesCore
98 | - ExpoSystemUI (2.4.0):
99 | - ExpoModulesCore
100 | - ExpoWebBrowser (12.3.2):
101 | - ExpoModulesCore
102 | - EXSplashScreen (0.20.5):
103 | - ExpoModulesCore
104 | - RCT-Folly (= 2021.07.22.00)
105 | - React-Core
106 | - EXUpdatesInterface (0.10.1)
107 | - FBLazyVector (0.72.6)
108 | - FBReactNativeSpec (0.72.6):
109 | - RCT-Folly (= 2021.07.22.00)
110 | - RCTRequired (= 0.72.6)
111 | - RCTTypeSafety (= 0.72.6)
112 | - React-Core (= 0.72.6)
113 | - React-jsi (= 0.72.6)
114 | - ReactCommon/turbomodule/core (= 0.72.6)
115 | - fmt (6.2.1)
116 | - glog (0.3.5)
117 | - hermes-engine (0.72.6):
118 | - hermes-engine/Pre-built (= 0.72.6)
119 | - hermes-engine/Pre-built (0.72.6)
120 | - libevent (2.1.12)
121 | - RCT-Folly (2021.07.22.00):
122 | - boost
123 | - DoubleConversion
124 | - fmt (~> 6.2.1)
125 | - glog
126 | - RCT-Folly/Default (= 2021.07.22.00)
127 | - RCT-Folly/Default (2021.07.22.00):
128 | - boost
129 | - DoubleConversion
130 | - fmt (~> 6.2.1)
131 | - glog
132 | - RCT-Folly/Futures (2021.07.22.00):
133 | - boost
134 | - DoubleConversion
135 | - fmt (~> 6.2.1)
136 | - glog
137 | - libevent
138 | - RCTRequired (0.72.6)
139 | - RCTTypeSafety (0.72.6):
140 | - FBLazyVector (= 0.72.6)
141 | - RCTRequired (= 0.72.6)
142 | - React-Core (= 0.72.6)
143 | - React (0.72.6):
144 | - React-Core (= 0.72.6)
145 | - React-Core/DevSupport (= 0.72.6)
146 | - React-Core/RCTWebSocket (= 0.72.6)
147 | - React-RCTActionSheet (= 0.72.6)
148 | - React-RCTAnimation (= 0.72.6)
149 | - React-RCTBlob (= 0.72.6)
150 | - React-RCTImage (= 0.72.6)
151 | - React-RCTLinking (= 0.72.6)
152 | - React-RCTNetwork (= 0.72.6)
153 | - React-RCTSettings (= 0.72.6)
154 | - React-RCTText (= 0.72.6)
155 | - React-RCTVibration (= 0.72.6)
156 | - React-callinvoker (0.72.6)
157 | - React-Codegen (0.72.6):
158 | - DoubleConversion
159 | - FBReactNativeSpec
160 | - glog
161 | - hermes-engine
162 | - RCT-Folly
163 | - RCTRequired
164 | - RCTTypeSafety
165 | - React-Core
166 | - React-jsi
167 | - React-jsiexecutor
168 | - React-NativeModulesApple
169 | - React-rncore
170 | - ReactCommon/turbomodule/bridging
171 | - ReactCommon/turbomodule/core
172 | - React-Core (0.72.6):
173 | - glog
174 | - hermes-engine
175 | - RCT-Folly (= 2021.07.22.00)
176 | - React-Core/Default (= 0.72.6)
177 | - React-cxxreact
178 | - React-hermes
179 | - React-jsi
180 | - React-jsiexecutor
181 | - React-perflogger
182 | - React-runtimeexecutor
183 | - React-utils
184 | - SocketRocket (= 0.6.1)
185 | - Yoga
186 | - React-Core/CoreModulesHeaders (0.72.6):
187 | - glog
188 | - hermes-engine
189 | - RCT-Folly (= 2021.07.22.00)
190 | - React-Core/Default
191 | - React-cxxreact
192 | - React-hermes
193 | - React-jsi
194 | - React-jsiexecutor
195 | - React-perflogger
196 | - React-runtimeexecutor
197 | - React-utils
198 | - SocketRocket (= 0.6.1)
199 | - Yoga
200 | - React-Core/Default (0.72.6):
201 | - glog
202 | - hermes-engine
203 | - RCT-Folly (= 2021.07.22.00)
204 | - React-cxxreact
205 | - React-hermes
206 | - React-jsi
207 | - React-jsiexecutor
208 | - React-perflogger
209 | - React-runtimeexecutor
210 | - React-utils
211 | - SocketRocket (= 0.6.1)
212 | - Yoga
213 | - React-Core/DevSupport (0.72.6):
214 | - glog
215 | - hermes-engine
216 | - RCT-Folly (= 2021.07.22.00)
217 | - React-Core/Default (= 0.72.6)
218 | - React-Core/RCTWebSocket (= 0.72.6)
219 | - React-cxxreact
220 | - React-hermes
221 | - React-jsi
222 | - React-jsiexecutor
223 | - React-jsinspector (= 0.72.6)
224 | - React-perflogger
225 | - React-runtimeexecutor
226 | - React-utils
227 | - SocketRocket (= 0.6.1)
228 | - Yoga
229 | - React-Core/RCTActionSheetHeaders (0.72.6):
230 | - glog
231 | - hermes-engine
232 | - RCT-Folly (= 2021.07.22.00)
233 | - React-Core/Default
234 | - React-cxxreact
235 | - React-hermes
236 | - React-jsi
237 | - React-jsiexecutor
238 | - React-perflogger
239 | - React-runtimeexecutor
240 | - React-utils
241 | - SocketRocket (= 0.6.1)
242 | - Yoga
243 | - React-Core/RCTAnimationHeaders (0.72.6):
244 | - glog
245 | - hermes-engine
246 | - RCT-Folly (= 2021.07.22.00)
247 | - React-Core/Default
248 | - React-cxxreact
249 | - React-hermes
250 | - React-jsi
251 | - React-jsiexecutor
252 | - React-perflogger
253 | - React-runtimeexecutor
254 | - React-utils
255 | - SocketRocket (= 0.6.1)
256 | - Yoga
257 | - React-Core/RCTBlobHeaders (0.72.6):
258 | - glog
259 | - hermes-engine
260 | - RCT-Folly (= 2021.07.22.00)
261 | - React-Core/Default
262 | - React-cxxreact
263 | - React-hermes
264 | - React-jsi
265 | - React-jsiexecutor
266 | - React-perflogger
267 | - React-runtimeexecutor
268 | - React-utils
269 | - SocketRocket (= 0.6.1)
270 | - Yoga
271 | - React-Core/RCTImageHeaders (0.72.6):
272 | - glog
273 | - hermes-engine
274 | - RCT-Folly (= 2021.07.22.00)
275 | - React-Core/Default
276 | - React-cxxreact
277 | - React-hermes
278 | - React-jsi
279 | - React-jsiexecutor
280 | - React-perflogger
281 | - React-runtimeexecutor
282 | - React-utils
283 | - SocketRocket (= 0.6.1)
284 | - Yoga
285 | - React-Core/RCTLinkingHeaders (0.72.6):
286 | - glog
287 | - hermes-engine
288 | - RCT-Folly (= 2021.07.22.00)
289 | - React-Core/Default
290 | - React-cxxreact
291 | - React-hermes
292 | - React-jsi
293 | - React-jsiexecutor
294 | - React-perflogger
295 | - React-runtimeexecutor
296 | - React-utils
297 | - SocketRocket (= 0.6.1)
298 | - Yoga
299 | - React-Core/RCTNetworkHeaders (0.72.6):
300 | - glog
301 | - hermes-engine
302 | - RCT-Folly (= 2021.07.22.00)
303 | - React-Core/Default
304 | - React-cxxreact
305 | - React-hermes
306 | - React-jsi
307 | - React-jsiexecutor
308 | - React-perflogger
309 | - React-runtimeexecutor
310 | - React-utils
311 | - SocketRocket (= 0.6.1)
312 | - Yoga
313 | - React-Core/RCTSettingsHeaders (0.72.6):
314 | - glog
315 | - hermes-engine
316 | - RCT-Folly (= 2021.07.22.00)
317 | - React-Core/Default
318 | - React-cxxreact
319 | - React-hermes
320 | - React-jsi
321 | - React-jsiexecutor
322 | - React-perflogger
323 | - React-runtimeexecutor
324 | - React-utils
325 | - SocketRocket (= 0.6.1)
326 | - Yoga
327 | - React-Core/RCTTextHeaders (0.72.6):
328 | - glog
329 | - hermes-engine
330 | - RCT-Folly (= 2021.07.22.00)
331 | - React-Core/Default
332 | - React-cxxreact
333 | - React-hermes
334 | - React-jsi
335 | - React-jsiexecutor
336 | - React-perflogger
337 | - React-runtimeexecutor
338 | - React-utils
339 | - SocketRocket (= 0.6.1)
340 | - Yoga
341 | - React-Core/RCTVibrationHeaders (0.72.6):
342 | - glog
343 | - hermes-engine
344 | - RCT-Folly (= 2021.07.22.00)
345 | - React-Core/Default
346 | - React-cxxreact
347 | - React-hermes
348 | - React-jsi
349 | - React-jsiexecutor
350 | - React-perflogger
351 | - React-runtimeexecutor
352 | - React-utils
353 | - SocketRocket (= 0.6.1)
354 | - Yoga
355 | - React-Core/RCTWebSocket (0.72.6):
356 | - glog
357 | - hermes-engine
358 | - RCT-Folly (= 2021.07.22.00)
359 | - React-Core/Default (= 0.72.6)
360 | - React-cxxreact
361 | - React-hermes
362 | - React-jsi
363 | - React-jsiexecutor
364 | - React-perflogger
365 | - React-runtimeexecutor
366 | - React-utils
367 | - SocketRocket (= 0.6.1)
368 | - Yoga
369 | - React-CoreModules (0.72.6):
370 | - RCT-Folly (= 2021.07.22.00)
371 | - RCTTypeSafety (= 0.72.6)
372 | - React-Codegen (= 0.72.6)
373 | - React-Core/CoreModulesHeaders (= 0.72.6)
374 | - React-jsi (= 0.72.6)
375 | - React-RCTBlob
376 | - React-RCTImage (= 0.72.6)
377 | - ReactCommon/turbomodule/core (= 0.72.6)
378 | - SocketRocket (= 0.6.1)
379 | - React-cxxreact (0.72.6):
380 | - boost (= 1.76.0)
381 | - DoubleConversion
382 | - glog
383 | - hermes-engine
384 | - RCT-Folly (= 2021.07.22.00)
385 | - React-callinvoker (= 0.72.6)
386 | - React-debug (= 0.72.6)
387 | - React-jsi (= 0.72.6)
388 | - React-jsinspector (= 0.72.6)
389 | - React-logger (= 0.72.6)
390 | - React-perflogger (= 0.72.6)
391 | - React-runtimeexecutor (= 0.72.6)
392 | - React-debug (0.72.6)
393 | - React-hermes (0.72.6):
394 | - DoubleConversion
395 | - glog
396 | - hermes-engine
397 | - RCT-Folly (= 2021.07.22.00)
398 | - RCT-Folly/Futures (= 2021.07.22.00)
399 | - React-cxxreact (= 0.72.6)
400 | - React-jsi
401 | - React-jsiexecutor (= 0.72.6)
402 | - React-jsinspector (= 0.72.6)
403 | - React-perflogger (= 0.72.6)
404 | - React-jsi (0.72.6):
405 | - boost (= 1.76.0)
406 | - DoubleConversion
407 | - glog
408 | - hermes-engine
409 | - RCT-Folly (= 2021.07.22.00)
410 | - React-jsiexecutor (0.72.6):
411 | - DoubleConversion
412 | - glog
413 | - hermes-engine
414 | - RCT-Folly (= 2021.07.22.00)
415 | - React-cxxreact (= 0.72.6)
416 | - React-jsi (= 0.72.6)
417 | - React-perflogger (= 0.72.6)
418 | - React-jsinspector (0.72.6)
419 | - React-logger (0.72.6):
420 | - glog
421 | - react-native-netinfo (9.3.10):
422 | - React-Core
423 | - react-native-safe-area-context (4.6.3):
424 | - RCT-Folly
425 | - RCTRequired
426 | - RCTTypeSafety
427 | - React-Core
428 | - ReactCommon/turbomodule/core
429 | - React-NativeModulesApple (0.72.6):
430 | - hermes-engine
431 | - React-callinvoker
432 | - React-Core
433 | - React-cxxreact
434 | - React-jsi
435 | - React-runtimeexecutor
436 | - ReactCommon/turbomodule/bridging
437 | - ReactCommon/turbomodule/core
438 | - React-perflogger (0.72.6)
439 | - React-RCTActionSheet (0.72.6):
440 | - React-Core/RCTActionSheetHeaders (= 0.72.6)
441 | - React-RCTAnimation (0.72.6):
442 | - RCT-Folly (= 2021.07.22.00)
443 | - RCTTypeSafety (= 0.72.6)
444 | - React-Codegen (= 0.72.6)
445 | - React-Core/RCTAnimationHeaders (= 0.72.6)
446 | - React-jsi (= 0.72.6)
447 | - ReactCommon/turbomodule/core (= 0.72.6)
448 | - React-RCTAppDelegate (0.72.6):
449 | - RCT-Folly
450 | - RCTRequired
451 | - RCTTypeSafety
452 | - React-Core
453 | - React-CoreModules
454 | - React-hermes
455 | - React-NativeModulesApple
456 | - React-RCTImage
457 | - React-RCTNetwork
458 | - React-runtimescheduler
459 | - ReactCommon/turbomodule/core
460 | - React-RCTBlob (0.72.6):
461 | - hermes-engine
462 | - RCT-Folly (= 2021.07.22.00)
463 | - React-Codegen (= 0.72.6)
464 | - React-Core/RCTBlobHeaders (= 0.72.6)
465 | - React-Core/RCTWebSocket (= 0.72.6)
466 | - React-jsi (= 0.72.6)
467 | - React-RCTNetwork (= 0.72.6)
468 | - ReactCommon/turbomodule/core (= 0.72.6)
469 | - React-RCTImage (0.72.6):
470 | - RCT-Folly (= 2021.07.22.00)
471 | - RCTTypeSafety (= 0.72.6)
472 | - React-Codegen (= 0.72.6)
473 | - React-Core/RCTImageHeaders (= 0.72.6)
474 | - React-jsi (= 0.72.6)
475 | - React-RCTNetwork (= 0.72.6)
476 | - ReactCommon/turbomodule/core (= 0.72.6)
477 | - React-RCTLinking (0.72.6):
478 | - React-Codegen (= 0.72.6)
479 | - React-Core/RCTLinkingHeaders (= 0.72.6)
480 | - React-jsi (= 0.72.6)
481 | - ReactCommon/turbomodule/core (= 0.72.6)
482 | - React-RCTNetwork (0.72.6):
483 | - RCT-Folly (= 2021.07.22.00)
484 | - RCTTypeSafety (= 0.72.6)
485 | - React-Codegen (= 0.72.6)
486 | - React-Core/RCTNetworkHeaders (= 0.72.6)
487 | - React-jsi (= 0.72.6)
488 | - ReactCommon/turbomodule/core (= 0.72.6)
489 | - React-RCTSettings (0.72.6):
490 | - RCT-Folly (= 2021.07.22.00)
491 | - RCTTypeSafety (= 0.72.6)
492 | - React-Codegen (= 0.72.6)
493 | - React-Core/RCTSettingsHeaders (= 0.72.6)
494 | - React-jsi (= 0.72.6)
495 | - ReactCommon/turbomodule/core (= 0.72.6)
496 | - React-RCTText (0.72.6):
497 | - React-Core/RCTTextHeaders (= 0.72.6)
498 | - React-RCTVibration (0.72.6):
499 | - RCT-Folly (= 2021.07.22.00)
500 | - React-Codegen (= 0.72.6)
501 | - React-Core/RCTVibrationHeaders (= 0.72.6)
502 | - React-jsi (= 0.72.6)
503 | - ReactCommon/turbomodule/core (= 0.72.6)
504 | - React-rncore (0.72.6)
505 | - React-runtimeexecutor (0.72.6):
506 | - React-jsi (= 0.72.6)
507 | - React-runtimescheduler (0.72.6):
508 | - glog
509 | - hermes-engine
510 | - RCT-Folly (= 2021.07.22.00)
511 | - React-callinvoker
512 | - React-debug
513 | - React-jsi
514 | - React-runtimeexecutor
515 | - React-utils (0.72.6):
516 | - glog
517 | - RCT-Folly (= 2021.07.22.00)
518 | - React-debug
519 | - ReactCommon/turbomodule/bridging (0.72.6):
520 | - DoubleConversion
521 | - glog
522 | - hermes-engine
523 | - RCT-Folly (= 2021.07.22.00)
524 | - React-callinvoker (= 0.72.6)
525 | - React-cxxreact (= 0.72.6)
526 | - React-jsi (= 0.72.6)
527 | - React-logger (= 0.72.6)
528 | - React-perflogger (= 0.72.6)
529 | - ReactCommon/turbomodule/core (0.72.6):
530 | - DoubleConversion
531 | - glog
532 | - hermes-engine
533 | - RCT-Folly (= 2021.07.22.00)
534 | - React-callinvoker (= 0.72.6)
535 | - React-cxxreact (= 0.72.6)
536 | - React-jsi (= 0.72.6)
537 | - React-logger (= 0.72.6)
538 | - React-perflogger (= 0.72.6)
539 | - ReactNativeIncallManager (4.1.0):
540 | - React-Core
541 | - RNGestureHandler (2.12.1):
542 | - React-Core
543 | - RNNotifee (7.8.0):
544 | - React-Core
545 | - RNNotifee/NotifeeCore (= 7.8.0)
546 | - RNNotifee/NotifeeCore (7.8.0):
547 | - React-Core
548 | - RNReanimated (3.3.0):
549 | - DoubleConversion
550 | - FBLazyVector
551 | - glog
552 | - hermes-engine
553 | - RCT-Folly
554 | - RCTRequired
555 | - RCTTypeSafety
556 | - React-callinvoker
557 | - React-Core
558 | - React-Core/DevSupport
559 | - React-Core/RCTWebSocket
560 | - React-CoreModules
561 | - React-cxxreact
562 | - React-hermes
563 | - React-jsi
564 | - React-jsiexecutor
565 | - React-jsinspector
566 | - React-RCTActionSheet
567 | - React-RCTAnimation
568 | - React-RCTAppDelegate
569 | - React-RCTBlob
570 | - React-RCTImage
571 | - React-RCTLinking
572 | - React-RCTNetwork
573 | - React-RCTSettings
574 | - React-RCTText
575 | - ReactCommon/turbomodule/core
576 | - Yoga
577 | - RNScreens (3.22.1):
578 | - React-Core
579 | - React-RCTImage
580 | - RNSVG (13.9.0):
581 | - React-Core
582 | - SocketRocket (0.6.1)
583 | - stream-react-native-webrtc (104.0.1):
584 | - React-Core
585 | - WebRTC-SDK (= 104.5112.17)
586 | - stream-video-react-native (0.1.10):
587 | - React-Core
588 | - stream-react-native-webrtc
589 | - WebRTC-SDK (104.5112.17)
590 | - Yoga (1.14.0)
591 |
592 | DEPENDENCIES:
593 | - boost (from `../node_modules/react-native/third-party-podspecs/boost.podspec`)
594 | - DoubleConversion (from `../node_modules/react-native/third-party-podspecs/DoubleConversion.podspec`)
595 | - EXApplication (from `../node_modules/expo-application/ios`)
596 | - EXConstants (from `../node_modules/expo-constants/ios`)
597 | - EXFileSystem (from `../node_modules/expo-file-system/ios`)
598 | - EXFont (from `../node_modules/expo-font/ios`)
599 | - EXImageLoader (from `../node_modules/expo-image-loader/ios`)
600 | - EXJSONUtils (from `../node_modules/expo-json-utils/ios`)
601 | - EXManifests (from `../node_modules/expo-manifests/ios`)
602 | - EXMediaLibrary (from `../node_modules/expo-media-library/ios`)
603 | - Expo (from `../node_modules/expo`)
604 | - expo-dev-client (from `../node_modules/expo-dev-client/ios`)
605 | - expo-dev-launcher (from `../node_modules/expo-dev-launcher`)
606 | - expo-dev-menu (from `../node_modules/expo-dev-menu`)
607 | - expo-dev-menu-interface (from `../node_modules/expo-dev-menu-interface/ios`)
608 | - ExpoClipboard (from `../node_modules/expo-clipboard/ios`)
609 | - ExpoHead (from `../node_modules/expo-head/ios`)
610 | - ExpoImageManipulator (from `../node_modules/expo-image-manipulator/ios`)
611 | - ExpoImagePicker (from `../node_modules/expo-image-picker/ios`)
612 | - ExpoKeepAwake (from `../node_modules/expo-keep-awake/ios`)
613 | - ExpoModulesCore (from `../node_modules/expo-modules-core`)
614 | - ExpoSecureStore (from `../node_modules/expo-secure-store/ios`)
615 | - ExpoSystemUI (from `../node_modules/expo-system-ui/ios`)
616 | - ExpoWebBrowser (from `../node_modules/expo-web-browser/ios`)
617 | - EXSplashScreen (from `../node_modules/expo-splash-screen/ios`)
618 | - EXUpdatesInterface (from `../node_modules/expo-updates-interface/ios`)
619 | - FBLazyVector (from `../node_modules/react-native/Libraries/FBLazyVector`)
620 | - FBReactNativeSpec (from `../node_modules/react-native/React/FBReactNativeSpec`)
621 | - glog (from `../node_modules/react-native/third-party-podspecs/glog.podspec`)
622 | - hermes-engine (from `../node_modules/react-native/sdks/hermes-engine/hermes-engine.podspec`)
623 | - libevent (~> 2.1.12)
624 | - RCT-Folly (from `../node_modules/react-native/third-party-podspecs/RCT-Folly.podspec`)
625 | - RCTRequired (from `../node_modules/react-native/Libraries/RCTRequired`)
626 | - RCTTypeSafety (from `../node_modules/react-native/Libraries/TypeSafety`)
627 | - React (from `../node_modules/react-native/`)
628 | - React-callinvoker (from `../node_modules/react-native/ReactCommon/callinvoker`)
629 | - React-Codegen (from `build/generated/ios`)
630 | - React-Core (from `../node_modules/react-native/`)
631 | - React-Core/RCTWebSocket (from `../node_modules/react-native/`)
632 | - React-CoreModules (from `../node_modules/react-native/React/CoreModules`)
633 | - React-cxxreact (from `../node_modules/react-native/ReactCommon/cxxreact`)
634 | - React-debug (from `../node_modules/react-native/ReactCommon/react/debug`)
635 | - React-hermes (from `../node_modules/react-native/ReactCommon/hermes`)
636 | - React-jsi (from `../node_modules/react-native/ReactCommon/jsi`)
637 | - React-jsiexecutor (from `../node_modules/react-native/ReactCommon/jsiexecutor`)
638 | - React-jsinspector (from `../node_modules/react-native/ReactCommon/jsinspector`)
639 | - React-logger (from `../node_modules/react-native/ReactCommon/logger`)
640 | - "react-native-netinfo (from `../node_modules/@react-native-community/netinfo`)"
641 | - react-native-safe-area-context (from `../node_modules/react-native-safe-area-context`)
642 | - React-NativeModulesApple (from `../node_modules/react-native/ReactCommon/react/nativemodule/core/platform/ios`)
643 | - React-perflogger (from `../node_modules/react-native/ReactCommon/reactperflogger`)
644 | - React-RCTActionSheet (from `../node_modules/react-native/Libraries/ActionSheetIOS`)
645 | - React-RCTAnimation (from `../node_modules/react-native/Libraries/NativeAnimation`)
646 | - React-RCTAppDelegate (from `../node_modules/react-native/Libraries/AppDelegate`)
647 | - React-RCTBlob (from `../node_modules/react-native/Libraries/Blob`)
648 | - React-RCTImage (from `../node_modules/react-native/Libraries/Image`)
649 | - React-RCTLinking (from `../node_modules/react-native/Libraries/LinkingIOS`)
650 | - React-RCTNetwork (from `../node_modules/react-native/Libraries/Network`)
651 | - React-RCTSettings (from `../node_modules/react-native/Libraries/Settings`)
652 | - React-RCTText (from `../node_modules/react-native/Libraries/Text`)
653 | - React-RCTVibration (from `../node_modules/react-native/Libraries/Vibration`)
654 | - React-rncore (from `../node_modules/react-native/ReactCommon`)
655 | - React-runtimeexecutor (from `../node_modules/react-native/ReactCommon/runtimeexecutor`)
656 | - React-runtimescheduler (from `../node_modules/react-native/ReactCommon/react/renderer/runtimescheduler`)
657 | - React-utils (from `../node_modules/react-native/ReactCommon/react/utils`)
658 | - ReactCommon/turbomodule/core (from `../node_modules/react-native/ReactCommon`)
659 | - ReactNativeIncallManager (from `../node_modules/react-native-incall-manager`)
660 | - RNGestureHandler (from `../node_modules/react-native-gesture-handler`)
661 | - "RNNotifee (from `../node_modules/@notifee/react-native`)"
662 | - RNReanimated (from `../node_modules/react-native-reanimated`)
663 | - RNScreens (from `../node_modules/react-native-screens`)
664 | - RNSVG (from `../node_modules/react-native-svg`)
665 | - "stream-react-native-webrtc (from `../node_modules/@stream-io/react-native-webrtc`)"
666 | - "stream-video-react-native (from `../node_modules/@stream-io/video-react-native-sdk`)"
667 | - Yoga (from `../node_modules/react-native/ReactCommon/yoga`)
668 |
669 | SPEC REPOS:
670 | trunk:
671 | - fmt
672 | - libevent
673 | - SocketRocket
674 | - WebRTC-SDK
675 |
676 | EXTERNAL SOURCES:
677 | boost:
678 | :podspec: "../node_modules/react-native/third-party-podspecs/boost.podspec"
679 | DoubleConversion:
680 | :podspec: "../node_modules/react-native/third-party-podspecs/DoubleConversion.podspec"
681 | EXApplication:
682 | :path: "../node_modules/expo-application/ios"
683 | EXConstants:
684 | :path: "../node_modules/expo-constants/ios"
685 | EXFileSystem:
686 | :path: "../node_modules/expo-file-system/ios"
687 | EXFont:
688 | :path: "../node_modules/expo-font/ios"
689 | EXImageLoader:
690 | :path: "../node_modules/expo-image-loader/ios"
691 | EXJSONUtils:
692 | :path: "../node_modules/expo-json-utils/ios"
693 | EXManifests:
694 | :path: "../node_modules/expo-manifests/ios"
695 | EXMediaLibrary:
696 | :path: "../node_modules/expo-media-library/ios"
697 | Expo:
698 | :path: "../node_modules/expo"
699 | expo-dev-client:
700 | :path: "../node_modules/expo-dev-client/ios"
701 | expo-dev-launcher:
702 | :path: "../node_modules/expo-dev-launcher"
703 | expo-dev-menu:
704 | :path: "../node_modules/expo-dev-menu"
705 | expo-dev-menu-interface:
706 | :path: "../node_modules/expo-dev-menu-interface/ios"
707 | ExpoClipboard:
708 | :path: "../node_modules/expo-clipboard/ios"
709 | ExpoHead:
710 | :path: "../node_modules/expo-head/ios"
711 | ExpoImageManipulator:
712 | :path: "../node_modules/expo-image-manipulator/ios"
713 | ExpoImagePicker:
714 | :path: "../node_modules/expo-image-picker/ios"
715 | ExpoKeepAwake:
716 | :path: "../node_modules/expo-keep-awake/ios"
717 | ExpoModulesCore:
718 | :path: "../node_modules/expo-modules-core"
719 | ExpoSecureStore:
720 | :path: "../node_modules/expo-secure-store/ios"
721 | ExpoSystemUI:
722 | :path: "../node_modules/expo-system-ui/ios"
723 | ExpoWebBrowser:
724 | :path: "../node_modules/expo-web-browser/ios"
725 | EXSplashScreen:
726 | :path: "../node_modules/expo-splash-screen/ios"
727 | EXUpdatesInterface:
728 | :path: "../node_modules/expo-updates-interface/ios"
729 | FBLazyVector:
730 | :path: "../node_modules/react-native/Libraries/FBLazyVector"
731 | FBReactNativeSpec:
732 | :path: "../node_modules/react-native/React/FBReactNativeSpec"
733 | glog:
734 | :podspec: "../node_modules/react-native/third-party-podspecs/glog.podspec"
735 | hermes-engine:
736 | :podspec: "../node_modules/react-native/sdks/hermes-engine/hermes-engine.podspec"
737 | :tag: hermes-2023-08-07-RNv0.72.4-813b2def12bc9df02654b3e3653ae4a68d0572e0
738 | RCT-Folly:
739 | :podspec: "../node_modules/react-native/third-party-podspecs/RCT-Folly.podspec"
740 | RCTRequired:
741 | :path: "../node_modules/react-native/Libraries/RCTRequired"
742 | RCTTypeSafety:
743 | :path: "../node_modules/react-native/Libraries/TypeSafety"
744 | React:
745 | :path: "../node_modules/react-native/"
746 | React-callinvoker:
747 | :path: "../node_modules/react-native/ReactCommon/callinvoker"
748 | React-Codegen:
749 | :path: build/generated/ios
750 | React-Core:
751 | :path: "../node_modules/react-native/"
752 | React-CoreModules:
753 | :path: "../node_modules/react-native/React/CoreModules"
754 | React-cxxreact:
755 | :path: "../node_modules/react-native/ReactCommon/cxxreact"
756 | React-debug:
757 | :path: "../node_modules/react-native/ReactCommon/react/debug"
758 | React-hermes:
759 | :path: "../node_modules/react-native/ReactCommon/hermes"
760 | React-jsi:
761 | :path: "../node_modules/react-native/ReactCommon/jsi"
762 | React-jsiexecutor:
763 | :path: "../node_modules/react-native/ReactCommon/jsiexecutor"
764 | React-jsinspector:
765 | :path: "../node_modules/react-native/ReactCommon/jsinspector"
766 | React-logger:
767 | :path: "../node_modules/react-native/ReactCommon/logger"
768 | react-native-netinfo:
769 | :path: "../node_modules/@react-native-community/netinfo"
770 | react-native-safe-area-context:
771 | :path: "../node_modules/react-native-safe-area-context"
772 | React-NativeModulesApple:
773 | :path: "../node_modules/react-native/ReactCommon/react/nativemodule/core/platform/ios"
774 | React-perflogger:
775 | :path: "../node_modules/react-native/ReactCommon/reactperflogger"
776 | React-RCTActionSheet:
777 | :path: "../node_modules/react-native/Libraries/ActionSheetIOS"
778 | React-RCTAnimation:
779 | :path: "../node_modules/react-native/Libraries/NativeAnimation"
780 | React-RCTAppDelegate:
781 | :path: "../node_modules/react-native/Libraries/AppDelegate"
782 | React-RCTBlob:
783 | :path: "../node_modules/react-native/Libraries/Blob"
784 | React-RCTImage:
785 | :path: "../node_modules/react-native/Libraries/Image"
786 | React-RCTLinking:
787 | :path: "../node_modules/react-native/Libraries/LinkingIOS"
788 | React-RCTNetwork:
789 | :path: "../node_modules/react-native/Libraries/Network"
790 | React-RCTSettings:
791 | :path: "../node_modules/react-native/Libraries/Settings"
792 | React-RCTText:
793 | :path: "../node_modules/react-native/Libraries/Text"
794 | React-RCTVibration:
795 | :path: "../node_modules/react-native/Libraries/Vibration"
796 | React-rncore:
797 | :path: "../node_modules/react-native/ReactCommon"
798 | React-runtimeexecutor:
799 | :path: "../node_modules/react-native/ReactCommon/runtimeexecutor"
800 | React-runtimescheduler:
801 | :path: "../node_modules/react-native/ReactCommon/react/renderer/runtimescheduler"
802 | React-utils:
803 | :path: "../node_modules/react-native/ReactCommon/react/utils"
804 | ReactCommon:
805 | :path: "../node_modules/react-native/ReactCommon"
806 | ReactNativeIncallManager:
807 | :path: "../node_modules/react-native-incall-manager"
808 | RNGestureHandler:
809 | :path: "../node_modules/react-native-gesture-handler"
810 | RNNotifee:
811 | :path: "../node_modules/@notifee/react-native"
812 | RNReanimated:
813 | :path: "../node_modules/react-native-reanimated"
814 | RNScreens:
815 | :path: "../node_modules/react-native-screens"
816 | RNSVG:
817 | :path: "../node_modules/react-native-svg"
818 | stream-react-native-webrtc:
819 | :path: "../node_modules/@stream-io/react-native-webrtc"
820 | stream-video-react-native:
821 | :path: "../node_modules/@stream-io/video-react-native-sdk"
822 | Yoga:
823 | :path: "../node_modules/react-native/ReactCommon/yoga"
824 |
825 | SPEC CHECKSUMS:
826 | boost: 57d2868c099736d80fcd648bf211b4431e51a558
827 | DoubleConversion: 5189b271737e1565bdce30deb4a08d647e3f5f54
828 | EXApplication: 042aa2e3f05258a16962ea1a9914bf288db9c9a1
829 | EXConstants: ce5bbea779da8031ac818c36bea41b10e14d04e1
830 | EXFileSystem: 2b826a3bf1071a4b80a8457e97124783d1ac860e
831 | EXFont: 738c44c390953ebcbab075a4848bfbef025fd9ee
832 | EXImageLoader: 34b214f9387e98f3c73989f15d8d5b399c9ab3f7
833 | EXJSONUtils: 6802be4282d42b97c51682468ddc1026a06f8276
834 | EXManifests: cf66451b11b2c2f6464917528d792759f7fd6ce0
835 | EXMediaLibrary: 8ac14ce76f266026b10cac2ab049debe032d7ae7
836 | Expo: 4ddd44075a2e7c7c63a0f5b1e05223be74d48bc6
837 | expo-dev-client: a97a68508a6104ad99f4b2613fd808cda7a4186c
838 | expo-dev-launcher: 7336e6dc8ed51b87225f8a96d787add81a99748c
839 | expo-dev-menu: 9542570483a647626570cb4333c80add4cea1254
840 | expo-dev-menu-interface: bda969497e73dadc2663c479e0fa726ca79a306e
841 | ExpoClipboard: 695f274f8e028cd113837f917da40c76850877eb
842 | ExpoHead: 249669d2a6c1d55846bb15d7f22d0d294aaf060f
843 | ExpoImageManipulator: 851be0965dd9f78019771b140282f1816dcc25ea
844 | ExpoImagePicker: c58fdf28be551681a8edc550bcec76c397a8dfcd
845 | ExpoKeepAwake: be4cbd52d9b177cde0fd66daa1913afa3161fc1d
846 | ExpoModulesCore: 51cb2e7ab4c8da14be3f40b66d54c1781002e99d
847 | ExpoSecureStore: 57db3b6da8b59046e2057e95bf7738a8027b47c3
848 | ExpoSystemUI: fa4854e3226e87f86d3383570264c6e4e90bc782
849 | ExpoWebBrowser: 2c788f9c07718a780fe6d8bf2f6195c47609faaa
850 | EXSplashScreen: c0e7f2d4a640f3b875808ed0b88575538daf6d82
851 | EXUpdatesInterface: 82ed48d417cdcd376c12ca1c2ce390d35500bed6
852 | FBLazyVector: 748c0ef74f2bf4b36cfcccf37916806940a64c32
853 | FBReactNativeSpec: 966f29e4e697de53a3b366355e8f57375c856ad9
854 | fmt: ff9d55029c625d3757ed641535fd4a75fedc7ce9
855 | glog: 04b94705f318337d7ead9e6d17c019bd9b1f6b1b
856 | hermes-engine: 8057e75cfc1437b178ac86c8654b24e7fead7f60
857 | libevent: 4049cae6c81cdb3654a443be001fb9bdceff7913
858 | RCT-Folly: 424b8c9a7a0b9ab2886ffe9c3b041ef628fd4fb1
859 | RCTRequired: 28469809442eb4eb5528462705f7d852948c8a74
860 | RCTTypeSafety: e9c6c409fca2cc584e5b086862d562540cb38d29
861 | React: 769f469909b18edfe934f0539fffb319c4c61043
862 | React-callinvoker: e48ce12c83706401251921896576710d81e54763
863 | React-Codegen: a136b8094d39fd071994eaa935366e6be2239cb1
864 | React-Core: e548a186fb01c3a78a9aeeffa212d625ca9511bf
865 | React-CoreModules: d226b22d06ea1bc4e49d3c073b2c6cbb42265405
866 | React-cxxreact: 44a3560510ead6633b6e02f9fbbdd1772fb40f92
867 | React-debug: 238501490155574ae9f3f8dd1c74330eba30133e
868 | React-hermes: 46e66dc854124d7645c20bfec0a6be9542826ecd
869 | React-jsi: fbdaf4166bae60524b591b18c851b530c8cdb90c
870 | React-jsiexecutor: 3bf18ff7cb03cd8dfdce08fbbc0d15058c1d71ae
871 | React-jsinspector: 194e32c6aab382d88713ad3dd0025c5f5c4ee072
872 | React-logger: cebf22b6cf43434e471dc561e5911b40ac01d289
873 | react-native-netinfo: ccbe1085dffd16592791d550189772e13bf479e2
874 | react-native-safe-area-context: 36cc67648134e89465663b8172336a19eeda493d
875 | React-NativeModulesApple: 02e35e9a51e10c6422f04f5e4076a7c02243fff2
876 | React-perflogger: e3596db7e753f51766bceadc061936ef1472edc3
877 | React-RCTActionSheet: 17ab132c748b4471012abbcdcf5befe860660485
878 | React-RCTAnimation: c8bbaab62be5817d2a31c36d5f2571e3f7dcf099
879 | React-RCTAppDelegate: af1c7dace233deba4b933cd1d6491fe4e3584ad1
880 | React-RCTBlob: 1bcf3a0341eb8d6950009b1ddb8aefaf46996b8c
881 | React-RCTImage: 670a3486b532292649b1aef3ffddd0b495a5cee4
882 | React-RCTLinking: bd7ab853144aed463903237e615fd91d11b4f659
883 | React-RCTNetwork: be86a621f3e4724758f23ad1fdce32474ab3d829
884 | React-RCTSettings: 4f3a29a6d23ffa639db9701bc29af43f30781058
885 | React-RCTText: adde32164a243103aaba0b1dc7b0a2599733873e
886 | React-RCTVibration: 6bd85328388ac2e82ae0ca11afe48ad5555b483a
887 | React-rncore: fda7b1ae5918fa7baa259105298a5487875a57c8
888 | React-runtimeexecutor: 57d85d942862b08f6d15441a0badff2542fd233c
889 | React-runtimescheduler: f23e337008403341177fc52ee4ca94e442c17ede
890 | React-utils: fa59c9a3375fb6f4aeb66714fd3f7f76b43a9f16
891 | ReactCommon: dd03c17275c200496f346af93a7b94c53f3093a4
892 | ReactNativeIncallManager: 2385505fa5dfdbbc78925e3b8d23b30ce0cde40e
893 | RNGestureHandler: c0d04458598fcb26052494ae23dda8f8f5162b13
894 | RNNotifee: f3c01b391dd8e98e67f539f9a35a9cbcd3bae744
895 | RNReanimated: 9f7068e43b9358a46a688d94a5a3adb258139457
896 | RNScreens: 50ffe2fa2342eabb2d0afbe19f7c1af286bc7fb3
897 | RNSVG: 53c661b76829783cdaf9b7a57258f3d3b4c28315
898 | SocketRocket: f32cd54efbe0f095c4d7594881e52619cfe80b17
899 | stream-react-native-webrtc: 3e45950d539248d24c1a0a3eafa0f98b5a343ab3
900 | stream-video-react-native: b0029199ee45828e33f19b99f613dbcc6c930193
901 | WebRTC-SDK: 082ae4893212534a779ca233f19a9df8efd5f3bd
902 | Yoga: b76f1acfda8212aa16b7e26bcce3983230c82603
903 |
904 | PODFILE CHECKSUM: 7c0f31ec0643ea14cd4a68f03d0148afe9f1c2be
905 |
906 | COCOAPODS: 1.12.1
907 |
--------------------------------------------------------------------------------
/ios/Podfile.properties.json:
--------------------------------------------------------------------------------
1 | {
2 | "expo.jsEngine": "hermes",
3 | "EX_DEV_CLIENT_NETWORK_INSPECTOR": "true"
4 | }
5 |
--------------------------------------------------------------------------------
/ios/meetingsApp.xcodeproj/project.pbxproj:
--------------------------------------------------------------------------------
1 | // !$*UTF8*$!
2 | {
3 | archiveVersion = 1;
4 | classes = {
5 | };
6 | objectVersion = 46;
7 | objects = {
8 |
9 | /* Begin PBXBuildFile section */
10 | 13B07FBC1A68108700A75B9A /* AppDelegate.mm in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB01A68108700A75B9A /* AppDelegate.mm */; };
11 | 13B07FBF1A68108700A75B9A /* Images.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 13B07FB51A68108700A75B9A /* Images.xcassets */; };
12 | 13B07FC11A68108700A75B9A /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = 13B07FB71A68108700A75B9A /* main.m */; };
13 | 3E461D99554A48A4959DE609 /* SplashScreen.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = AA286B85B6C04FC6940260E9 /* SplashScreen.storyboard */; };
14 | 4C979C5997864FEA8F62546A /* noop-file.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8660504AD9844E6685A5CDEB /* noop-file.swift */; };
15 | 96905EF65AED1B983A6B3ABC /* libPods-meetingsApp.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 58EEBF8E8E6FB1BC6CAF49B5 /* libPods-meetingsApp.a */; };
16 | B18059E884C0ABDD17F3DC3D /* ExpoModulesProvider.swift in Sources */ = {isa = PBXBuildFile; fileRef = FAC715A2D49A985799AEE119 /* ExpoModulesProvider.swift */; };
17 | BB2F792D24A3F905000567C9 /* Expo.plist in Resources */ = {isa = PBXBuildFile; fileRef = BB2F792C24A3F905000567C9 /* Expo.plist */; };
18 | /* End PBXBuildFile section */
19 |
20 | /* Begin PBXFileReference section */
21 | 07EB49C6BF394545952D9378 /* meetingsApp-Bridging-Header.h */ = {isa = PBXFileReference; explicitFileType = undefined; fileEncoding = 4; includeInIndex = 0; lastKnownFileType = sourcecode.c.h; name = "meetingsApp-Bridging-Header.h"; path = "meetingsApp/meetingsApp-Bridging-Header.h"; sourceTree = ""; };
22 | 13B07F961A680F5B00A75B9A /* meetingsApp.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = meetingsApp.app; sourceTree = BUILT_PRODUCTS_DIR; };
23 | 13B07FAF1A68108700A75B9A /* AppDelegate.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = AppDelegate.h; path = meetingsApp/AppDelegate.h; sourceTree = ""; };
24 | 13B07FB01A68108700A75B9A /* AppDelegate.mm */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.objcpp; name = AppDelegate.mm; path = meetingsApp/AppDelegate.mm; sourceTree = ""; };
25 | 13B07FB51A68108700A75B9A /* Images.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; name = Images.xcassets; path = meetingsApp/Images.xcassets; sourceTree = ""; };
26 | 13B07FB61A68108700A75B9A /* Info.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = Info.plist; path = meetingsApp/Info.plist; sourceTree = ""; };
27 | 13B07FB71A68108700A75B9A /* main.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; name = main.m; path = meetingsApp/main.m; sourceTree = ""; };
28 | 58EEBF8E8E6FB1BC6CAF49B5 /* libPods-meetingsApp.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = "libPods-meetingsApp.a"; sourceTree = BUILT_PRODUCTS_DIR; };
29 | 6C2E3173556A471DD304B334 /* Pods-meetingsApp.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-meetingsApp.debug.xcconfig"; path = "Target Support Files/Pods-meetingsApp/Pods-meetingsApp.debug.xcconfig"; sourceTree = ""; };
30 | 7A4D352CD337FB3A3BF06240 /* Pods-meetingsApp.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-meetingsApp.release.xcconfig"; path = "Target Support Files/Pods-meetingsApp/Pods-meetingsApp.release.xcconfig"; sourceTree = ""; };
31 | 8660504AD9844E6685A5CDEB /* noop-file.swift */ = {isa = PBXFileReference; explicitFileType = undefined; fileEncoding = 4; includeInIndex = 0; lastKnownFileType = sourcecode.swift; name = "noop-file.swift"; path = "meetingsApp/noop-file.swift"; sourceTree = ""; };
32 | AA286B85B6C04FC6940260E9 /* SplashScreen.storyboard */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.storyboard; name = SplashScreen.storyboard; path = meetingsApp/SplashScreen.storyboard; sourceTree = ""; };
33 | BB2F792C24A3F905000567C9 /* Expo.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; path = Expo.plist; sourceTree = ""; };
34 | ED297162215061F000B7C4FE /* JavaScriptCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = JavaScriptCore.framework; path = System/Library/Frameworks/JavaScriptCore.framework; sourceTree = SDKROOT; };
35 | FAC715A2D49A985799AEE119 /* ExpoModulesProvider.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ExpoModulesProvider.swift; path = "Pods/Target Support Files/Pods-meetingsApp/ExpoModulesProvider.swift"; sourceTree = ""; };
36 | /* End PBXFileReference section */
37 |
38 | /* Begin PBXFrameworksBuildPhase section */
39 | 13B07F8C1A680F5B00A75B9A /* Frameworks */ = {
40 | isa = PBXFrameworksBuildPhase;
41 | buildActionMask = 2147483647;
42 | files = (
43 | 96905EF65AED1B983A6B3ABC /* libPods-meetingsApp.a in Frameworks */,
44 | );
45 | runOnlyForDeploymentPostprocessing = 0;
46 | };
47 | /* End PBXFrameworksBuildPhase section */
48 |
49 | /* Begin PBXGroup section */
50 | 13B07FAE1A68108700A75B9A /* meetingsApp */ = {
51 | isa = PBXGroup;
52 | children = (
53 | BB2F792B24A3F905000567C9 /* Supporting */,
54 | 13B07FAF1A68108700A75B9A /* AppDelegate.h */,
55 | 13B07FB01A68108700A75B9A /* AppDelegate.mm */,
56 | 13B07FB51A68108700A75B9A /* Images.xcassets */,
57 | 13B07FB61A68108700A75B9A /* Info.plist */,
58 | 13B07FB71A68108700A75B9A /* main.m */,
59 | AA286B85B6C04FC6940260E9 /* SplashScreen.storyboard */,
60 | 8660504AD9844E6685A5CDEB /* noop-file.swift */,
61 | 07EB49C6BF394545952D9378 /* meetingsApp-Bridging-Header.h */,
62 | );
63 | name = meetingsApp;
64 | sourceTree = "";
65 | };
66 | 2D16E6871FA4F8E400B85C8A /* Frameworks */ = {
67 | isa = PBXGroup;
68 | children = (
69 | ED297162215061F000B7C4FE /* JavaScriptCore.framework */,
70 | 58EEBF8E8E6FB1BC6CAF49B5 /* libPods-meetingsApp.a */,
71 | );
72 | name = Frameworks;
73 | sourceTree = "";
74 | };
75 | 832341AE1AAA6A7D00B99B32 /* Libraries */ = {
76 | isa = PBXGroup;
77 | children = (
78 | );
79 | name = Libraries;
80 | sourceTree = "";
81 | };
82 | 83CBB9F61A601CBA00E9B192 = {
83 | isa = PBXGroup;
84 | children = (
85 | 13B07FAE1A68108700A75B9A /* meetingsApp */,
86 | 832341AE1AAA6A7D00B99B32 /* Libraries */,
87 | 83CBBA001A601CBA00E9B192 /* Products */,
88 | 2D16E6871FA4F8E400B85C8A /* Frameworks */,
89 | D65327D7A22EEC0BE12398D9 /* Pods */,
90 | D7E4C46ADA2E9064B798F356 /* ExpoModulesProviders */,
91 | );
92 | indentWidth = 2;
93 | sourceTree = "";
94 | tabWidth = 2;
95 | usesTabs = 0;
96 | };
97 | 83CBBA001A601CBA00E9B192 /* Products */ = {
98 | isa = PBXGroup;
99 | children = (
100 | 13B07F961A680F5B00A75B9A /* meetingsApp.app */,
101 | );
102 | name = Products;
103 | sourceTree = "";
104 | };
105 | 92DBD88DE9BF7D494EA9DA96 /* meetingsApp */ = {
106 | isa = PBXGroup;
107 | children = (
108 | FAC715A2D49A985799AEE119 /* ExpoModulesProvider.swift */,
109 | );
110 | name = meetingsApp;
111 | sourceTree = "";
112 | };
113 | BB2F792B24A3F905000567C9 /* Supporting */ = {
114 | isa = PBXGroup;
115 | children = (
116 | BB2F792C24A3F905000567C9 /* Expo.plist */,
117 | );
118 | name = Supporting;
119 | path = meetingsApp/Supporting;
120 | sourceTree = "";
121 | };
122 | D65327D7A22EEC0BE12398D9 /* Pods */ = {
123 | isa = PBXGroup;
124 | children = (
125 | 6C2E3173556A471DD304B334 /* Pods-meetingsApp.debug.xcconfig */,
126 | 7A4D352CD337FB3A3BF06240 /* Pods-meetingsApp.release.xcconfig */,
127 | );
128 | path = Pods;
129 | sourceTree = "";
130 | };
131 | D7E4C46ADA2E9064B798F356 /* ExpoModulesProviders */ = {
132 | isa = PBXGroup;
133 | children = (
134 | 92DBD88DE9BF7D494EA9DA96 /* meetingsApp */,
135 | );
136 | name = ExpoModulesProviders;
137 | sourceTree = "";
138 | };
139 | /* End PBXGroup section */
140 |
141 | /* Begin PBXNativeTarget section */
142 | 13B07F861A680F5B00A75B9A /* meetingsApp */ = {
143 | isa = PBXNativeTarget;
144 | buildConfigurationList = 13B07F931A680F5B00A75B9A /* Build configuration list for PBXNativeTarget "meetingsApp" */;
145 | buildPhases = (
146 | 08A4A3CD28434E44B6B9DE2E /* [CP] Check Pods Manifest.lock */,
147 | FD10A7F022414F080027D42C /* Start Packager */,
148 | 312C189078014F781C6ED2EE /* [Expo] Configure project */,
149 | 13B07F871A680F5B00A75B9A /* Sources */,
150 | 13B07F8C1A680F5B00A75B9A /* Frameworks */,
151 | 13B07F8E1A680F5B00A75B9A /* Resources */,
152 | 00DD1BFF1BD5951E006B06BC /* Bundle React Native code and images */,
153 | 800E24972A6A228C8D4807E9 /* [CP] Copy Pods Resources */,
154 | 26E4FB12EB0EDAFC29F9E9A6 /* [CP] Embed Pods Frameworks */,
155 | );
156 | buildRules = (
157 | );
158 | dependencies = (
159 | );
160 | name = meetingsApp;
161 | productName = meetingsApp;
162 | productReference = 13B07F961A680F5B00A75B9A /* meetingsApp.app */;
163 | productType = "com.apple.product-type.application";
164 | };
165 | /* End PBXNativeTarget section */
166 |
167 | /* Begin PBXProject section */
168 | 83CBB9F71A601CBA00E9B192 /* Project object */ = {
169 | isa = PBXProject;
170 | attributes = {
171 | LastUpgradeCheck = 1130;
172 | TargetAttributes = {
173 | 13B07F861A680F5B00A75B9A = {
174 | LastSwiftMigration = 1250;
175 | DevelopmentTeam = "ZSFPMY3WJ4";
176 | ProvisioningStyle = Automatic;
177 | };
178 | };
179 | };
180 | buildConfigurationList = 83CBB9FA1A601CBA00E9B192 /* Build configuration list for PBXProject "meetingsApp" */;
181 | compatibilityVersion = "Xcode 3.2";
182 | developmentRegion = en;
183 | hasScannedForEncodings = 0;
184 | knownRegions = (
185 | en,
186 | Base,
187 | );
188 | mainGroup = 83CBB9F61A601CBA00E9B192;
189 | productRefGroup = 83CBBA001A601CBA00E9B192 /* Products */;
190 | projectDirPath = "";
191 | projectRoot = "";
192 | targets = (
193 | 13B07F861A680F5B00A75B9A /* meetingsApp */,
194 | );
195 | };
196 | /* End PBXProject section */
197 |
198 | /* Begin PBXResourcesBuildPhase section */
199 | 13B07F8E1A680F5B00A75B9A /* Resources */ = {
200 | isa = PBXResourcesBuildPhase;
201 | buildActionMask = 2147483647;
202 | files = (
203 | BB2F792D24A3F905000567C9 /* Expo.plist in Resources */,
204 | 13B07FBF1A68108700A75B9A /* Images.xcassets in Resources */,
205 | 3E461D99554A48A4959DE609 /* SplashScreen.storyboard in Resources */,
206 | );
207 | runOnlyForDeploymentPostprocessing = 0;
208 | };
209 | /* End PBXResourcesBuildPhase section */
210 |
211 | /* Begin PBXShellScriptBuildPhase section */
212 | 00DD1BFF1BD5951E006B06BC /* Bundle React Native code and images */ = {
213 | isa = PBXShellScriptBuildPhase;
214 | buildActionMask = 2147483647;
215 | files = (
216 | );
217 | inputPaths = (
218 | );
219 | name = "Bundle React Native code and images";
220 | outputPaths = (
221 | );
222 | runOnlyForDeploymentPostprocessing = 0;
223 | shellPath = /bin/sh;
224 | shellScript = "if [[ -f \"$PODS_ROOT/../.xcode.env\" ]]; then\n source \"$PODS_ROOT/../.xcode.env\"\nfi\nif [[ -f \"$PODS_ROOT/../.xcode.env.local\" ]]; then\n source \"$PODS_ROOT/../.xcode.env.local\"\nfi\n\n# The project root by default is one level up from the ios directory\nexport PROJECT_ROOT=\"$PROJECT_DIR\"/..\n\nif [[ \"$CONFIGURATION\" = *Debug* ]]; then\n export SKIP_BUNDLING=1\nfi\nif [[ -z \"$ENTRY_FILE\" ]]; then\n # Set the entry JS file using the bundler's entry resolution.\n export ENTRY_FILE=\"$(\"$NODE_BINARY\" -e \"require('expo/scripts/resolveAppEntry')\" \"$PROJECT_ROOT\" ios relative | tail -n 1)\"\nfi\n\nif [[ -z \"$CLI_PATH\" ]]; then\n # Use Expo CLI\n export CLI_PATH=\"$(\"$NODE_BINARY\" --print \"require.resolve('@expo/cli')\")\"\nfi\nif [[ -z \"$BUNDLE_COMMAND\" ]]; then\n # Default Expo CLI command for bundling\n export BUNDLE_COMMAND=\"export:embed\"\nfi\n\n`\"$NODE_BINARY\" --print \"require('path').dirname(require.resolve('react-native/package.json')) + '/scripts/react-native-xcode.sh'\"`\n\n";
225 | };
226 | 08A4A3CD28434E44B6B9DE2E /* [CP] Check Pods Manifest.lock */ = {
227 | isa = PBXShellScriptBuildPhase;
228 | buildActionMask = 2147483647;
229 | files = (
230 | );
231 | inputFileListPaths = (
232 | );
233 | inputPaths = (
234 | "${PODS_PODFILE_DIR_PATH}/Podfile.lock",
235 | "${PODS_ROOT}/Manifest.lock",
236 | );
237 | name = "[CP] Check Pods Manifest.lock";
238 | outputFileListPaths = (
239 | );
240 | outputPaths = (
241 | "$(DERIVED_FILE_DIR)/Pods-meetingsApp-checkManifestLockResult.txt",
242 | );
243 | runOnlyForDeploymentPostprocessing = 0;
244 | shellPath = /bin/sh;
245 | 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";
246 | showEnvVarsInLog = 0;
247 | };
248 | 26E4FB12EB0EDAFC29F9E9A6 /* [CP] Embed Pods Frameworks */ = {
249 | isa = PBXShellScriptBuildPhase;
250 | buildActionMask = 2147483647;
251 | files = (
252 | );
253 | inputPaths = (
254 | "${PODS_ROOT}/Target Support Files/Pods-meetingsApp/Pods-meetingsApp-frameworks.sh",
255 | "${PODS_XCFRAMEWORKS_BUILD_DIR}/WebRTC-SDK/WebRTC.framework/WebRTC",
256 | "${PODS_XCFRAMEWORKS_BUILD_DIR}/hermes-engine/Pre-built/hermes.framework/hermes",
257 | );
258 | name = "[CP] Embed Pods Frameworks";
259 | outputPaths = (
260 | "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/WebRTC.framework",
261 | "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/hermes.framework",
262 | );
263 | runOnlyForDeploymentPostprocessing = 0;
264 | shellPath = /bin/sh;
265 | shellScript = "\"${PODS_ROOT}/Target Support Files/Pods-meetingsApp/Pods-meetingsApp-frameworks.sh\"\n";
266 | showEnvVarsInLog = 0;
267 | };
268 | 312C189078014F781C6ED2EE /* [Expo] Configure project */ = {
269 | isa = PBXShellScriptBuildPhase;
270 | alwaysOutOfDate = 1;
271 | buildActionMask = 2147483647;
272 | files = (
273 | );
274 | inputFileListPaths = (
275 | );
276 | inputPaths = (
277 | );
278 | name = "[Expo] Configure project";
279 | outputFileListPaths = (
280 | );
281 | outputPaths = (
282 | );
283 | runOnlyForDeploymentPostprocessing = 0;
284 | shellPath = /bin/sh;
285 | shellScript = "# This script configures Expo modules and generates the modules provider file.\nbash -l -c \"./Pods/Target\\ Support\\ Files/Pods-meetingsApp/expo-configure-project.sh\"\n";
286 | };
287 | 800E24972A6A228C8D4807E9 /* [CP] Copy Pods Resources */ = {
288 | isa = PBXShellScriptBuildPhase;
289 | buildActionMask = 2147483647;
290 | files = (
291 | );
292 | inputPaths = (
293 | "${PODS_ROOT}/Target Support Files/Pods-meetingsApp/Pods-meetingsApp-resources.sh",
294 | "${PODS_CONFIGURATION_BUILD_DIR}/EXConstants/EXConstants.bundle",
295 | "${PODS_CONFIGURATION_BUILD_DIR}/React-Core/AccessibilityResources.bundle",
296 | "${PODS_CONFIGURATION_BUILD_DIR}/expo-dev-launcher/EXDevLauncher.bundle",
297 | "${PODS_CONFIGURATION_BUILD_DIR}/expo-dev-menu/EXDevMenu.bundle",
298 | );
299 | name = "[CP] Copy Pods Resources";
300 | outputPaths = (
301 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/EXConstants.bundle",
302 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/AccessibilityResources.bundle",
303 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/EXDevLauncher.bundle",
304 | "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/EXDevMenu.bundle",
305 | );
306 | runOnlyForDeploymentPostprocessing = 0;
307 | shellPath = /bin/sh;
308 | shellScript = "\"${PODS_ROOT}/Target Support Files/Pods-meetingsApp/Pods-meetingsApp-resources.sh\"\n";
309 | showEnvVarsInLog = 0;
310 | };
311 | FD10A7F022414F080027D42C /* Start Packager */ = {
312 | isa = PBXShellScriptBuildPhase;
313 | buildActionMask = 2147483647;
314 | files = (
315 | );
316 | inputFileListPaths = (
317 | );
318 | inputPaths = (
319 | );
320 | name = "Start Packager";
321 | outputFileListPaths = (
322 | );
323 | outputPaths = (
324 | );
325 | runOnlyForDeploymentPostprocessing = 0;
326 | shellPath = /bin/sh;
327 | shellScript = "if [[ -f \"$PODS_ROOT/../.xcode.env\" ]]; then\n source \"$PODS_ROOT/../.xcode.env\"\nfi\nif [[ -f \"$PODS_ROOT/../.xcode.env.local\" ]]; then\n source \"$PODS_ROOT/../.xcode.env.local\"\nfi\n\nexport RCT_METRO_PORT=\"${RCT_METRO_PORT:=8081}\"\necho \"export RCT_METRO_PORT=${RCT_METRO_PORT}\" > `$NODE_BINARY --print \"require('path').dirname(require.resolve('react-native/package.json')) + '/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 `$NODE_BINARY --print \"require('path').dirname(require.resolve('expo/package.json')) + '/scripts/launchPackager.command'\"` || echo \"Can't start packager automatically\"\n fi\nfi\n";
328 | showEnvVarsInLog = 0;
329 | };
330 | /* End PBXShellScriptBuildPhase section */
331 |
332 | /* Begin PBXSourcesBuildPhase section */
333 | 13B07F871A680F5B00A75B9A /* Sources */ = {
334 | isa = PBXSourcesBuildPhase;
335 | buildActionMask = 2147483647;
336 | files = (
337 | 13B07FBC1A68108700A75B9A /* AppDelegate.mm in Sources */,
338 | 13B07FC11A68108700A75B9A /* main.m in Sources */,
339 | B18059E884C0ABDD17F3DC3D /* ExpoModulesProvider.swift in Sources */,
340 | 4C979C5997864FEA8F62546A /* noop-file.swift in Sources */,
341 | );
342 | runOnlyForDeploymentPostprocessing = 0;
343 | };
344 | /* End PBXSourcesBuildPhase section */
345 |
346 | /* Begin XCBuildConfiguration section */
347 | 13B07F941A680F5B00A75B9A /* Debug */ = {
348 | isa = XCBuildConfiguration;
349 | baseConfigurationReference = 6C2E3173556A471DD304B334 /* Pods-meetingsApp.debug.xcconfig */;
350 | buildSettings = {
351 | ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
352 | CLANG_ENABLE_MODULES = YES;
353 | CODE_SIGN_ENTITLEMENTS = meetingsApp/meetingsApp.entitlements;
354 | CURRENT_PROJECT_VERSION = 1;
355 | ENABLE_BITCODE = NO;
356 | GCC_PREPROCESSOR_DEFINITIONS = (
357 | "$(inherited)",
358 | "FB_SONARKIT_ENABLED=1",
359 | );
360 | INFOPLIST_FILE = meetingsApp/Info.plist;
361 | IPHONEOS_DEPLOYMENT_TARGET = 13.0;
362 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks";
363 | MARKETING_VERSION = 1.0;
364 | OTHER_LDFLAGS = (
365 | "$(inherited)",
366 | "-ObjC",
367 | "-lc++",
368 | );
369 | OTHER_SWIFT_FLAGS = "$(inherited) -D EXPO_CONFIGURATION_DEBUG";
370 | PRODUCT_BUNDLE_IDENTIFIER = com.supersimon.meetingsApp;
371 | PRODUCT_NAME = meetingsApp;
372 | SWIFT_OBJC_BRIDGING_HEADER = "meetingsApp/meetingsApp-Bridging-Header.h";
373 | SWIFT_OPTIMIZATION_LEVEL = "-Onone";
374 | SWIFT_VERSION = 5.0;
375 | TARGETED_DEVICE_FAMILY = "1,2";
376 | VERSIONING_SYSTEM = "apple-generic";
377 | DEVELOPMENT_TEAM = "ZSFPMY3WJ4";
378 | CODE_SIGN_IDENTITY = "Apple Development";
379 | CODE_SIGN_STYLE = Automatic;
380 | };
381 | name = Debug;
382 | };
383 | 13B07F951A680F5B00A75B9A /* Release */ = {
384 | isa = XCBuildConfiguration;
385 | baseConfigurationReference = 7A4D352CD337FB3A3BF06240 /* Pods-meetingsApp.release.xcconfig */;
386 | buildSettings = {
387 | ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
388 | CLANG_ENABLE_MODULES = YES;
389 | CODE_SIGN_ENTITLEMENTS = meetingsApp/meetingsApp.entitlements;
390 | CURRENT_PROJECT_VERSION = 1;
391 | INFOPLIST_FILE = meetingsApp/Info.plist;
392 | IPHONEOS_DEPLOYMENT_TARGET = 13.0;
393 | LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks";
394 | MARKETING_VERSION = 1.0;
395 | OTHER_LDFLAGS = (
396 | "$(inherited)",
397 | "-ObjC",
398 | "-lc++",
399 | );
400 | OTHER_SWIFT_FLAGS = "$(inherited) -D EXPO_CONFIGURATION_RELEASE";
401 | PRODUCT_BUNDLE_IDENTIFIER = com.supersimon.meetingsApp;
402 | PRODUCT_NAME = meetingsApp;
403 | SWIFT_OBJC_BRIDGING_HEADER = "meetingsApp/meetingsApp-Bridging-Header.h";
404 | SWIFT_VERSION = 5.0;
405 | TARGETED_DEVICE_FAMILY = "1,2";
406 | VERSIONING_SYSTEM = "apple-generic";
407 | DEVELOPMENT_TEAM = "ZSFPMY3WJ4";
408 | CODE_SIGN_IDENTITY = "Apple Development";
409 | CODE_SIGN_STYLE = Automatic;
410 | };
411 | name = Release;
412 | };
413 | 83CBBA201A601CBA00E9B192 /* Debug */ = {
414 | isa = XCBuildConfiguration;
415 | buildSettings = {
416 | ALWAYS_SEARCH_USER_PATHS = NO;
417 | CLANG_ANALYZER_LOCALIZABILITY_NONLOCALIZED = YES;
418 | CLANG_CXX_LANGUAGE_STANDARD = "c++17";
419 | CLANG_CXX_LIBRARY = "libc++";
420 | CLANG_ENABLE_MODULES = YES;
421 | CLANG_ENABLE_OBJC_ARC = YES;
422 | CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES;
423 | CLANG_WARN_BOOL_CONVERSION = YES;
424 | CLANG_WARN_COMMA = YES;
425 | CLANG_WARN_CONSTANT_CONVERSION = YES;
426 | CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES;
427 | CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR;
428 | CLANG_WARN_EMPTY_BODY = YES;
429 | CLANG_WARN_ENUM_CONVERSION = YES;
430 | CLANG_WARN_INFINITE_RECURSION = YES;
431 | CLANG_WARN_INT_CONVERSION = YES;
432 | CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES;
433 | CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES;
434 | CLANG_WARN_OBJC_LITERAL_CONVERSION = YES;
435 | CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR;
436 | CLANG_WARN_RANGE_LOOP_ANALYSIS = YES;
437 | CLANG_WARN_STRICT_PROTOTYPES = YES;
438 | CLANG_WARN_SUSPICIOUS_MOVE = YES;
439 | CLANG_WARN_UNREACHABLE_CODE = YES;
440 | CLANG_WARN__DUPLICATE_METHOD_MATCH = YES;
441 | "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
442 | COPY_PHASE_STRIP = NO;
443 | ENABLE_STRICT_OBJC_MSGSEND = YES;
444 | ENABLE_TESTABILITY = YES;
445 | "EXCLUDED_ARCHS[sdk=iphonesimulator*]" = i386;
446 | GCC_C_LANGUAGE_STANDARD = gnu99;
447 | GCC_DYNAMIC_NO_PIC = NO;
448 | GCC_NO_COMMON_BLOCKS = YES;
449 | GCC_OPTIMIZATION_LEVEL = 0;
450 | GCC_PREPROCESSOR_DEFINITIONS = (
451 | "DEBUG=1",
452 | "$(inherited)",
453 | _LIBCPP_ENABLE_CXX17_REMOVED_UNARY_BINARY_FUNCTION,
454 | );
455 | GCC_SYMBOLS_PRIVATE_EXTERN = NO;
456 | GCC_WARN_64_TO_32_BIT_CONVERSION = YES;
457 | GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR;
458 | GCC_WARN_UNDECLARED_SELECTOR = YES;
459 | GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE;
460 | GCC_WARN_UNUSED_FUNCTION = YES;
461 | GCC_WARN_UNUSED_VARIABLE = YES;
462 | IPHONEOS_DEPLOYMENT_TARGET = 13.0;
463 | LD_RUNPATH_SEARCH_PATHS = "/usr/lib/swift $(inherited)";
464 | LIBRARY_SEARCH_PATHS = "$(SDKROOT)/usr/lib/swift\"$(inherited)\"";
465 | MTL_ENABLE_DEBUG_INFO = YES;
466 | ONLY_ACTIVE_ARCH = YES;
467 | OTHER_CFLAGS = "$(inherited)";
468 | OTHER_CPLUSPLUSFLAGS = "$(inherited)";
469 | OTHER_LDFLAGS = (
470 | "$(inherited)",
471 | " ",
472 | );
473 | REACT_NATIVE_PATH = "${PODS_ROOT}/../../node_modules/react-native";
474 | SDKROOT = iphoneos;
475 | };
476 | name = Debug;
477 | };
478 | 83CBBA211A601CBA00E9B192 /* Release */ = {
479 | isa = XCBuildConfiguration;
480 | buildSettings = {
481 | ALWAYS_SEARCH_USER_PATHS = NO;
482 | CLANG_ANALYZER_LOCALIZABILITY_NONLOCALIZED = YES;
483 | CLANG_CXX_LANGUAGE_STANDARD = "c++17";
484 | CLANG_CXX_LIBRARY = "libc++";
485 | CLANG_ENABLE_MODULES = YES;
486 | CLANG_ENABLE_OBJC_ARC = YES;
487 | CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES;
488 | CLANG_WARN_BOOL_CONVERSION = YES;
489 | CLANG_WARN_COMMA = YES;
490 | CLANG_WARN_CONSTANT_CONVERSION = YES;
491 | CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES;
492 | CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR;
493 | CLANG_WARN_EMPTY_BODY = YES;
494 | CLANG_WARN_ENUM_CONVERSION = YES;
495 | CLANG_WARN_INFINITE_RECURSION = YES;
496 | CLANG_WARN_INT_CONVERSION = YES;
497 | CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES;
498 | CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES;
499 | CLANG_WARN_OBJC_LITERAL_CONVERSION = YES;
500 | CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR;
501 | CLANG_WARN_RANGE_LOOP_ANALYSIS = YES;
502 | CLANG_WARN_STRICT_PROTOTYPES = YES;
503 | CLANG_WARN_SUSPICIOUS_MOVE = YES;
504 | CLANG_WARN_UNREACHABLE_CODE = YES;
505 | CLANG_WARN__DUPLICATE_METHOD_MATCH = YES;
506 | "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
507 | COPY_PHASE_STRIP = YES;
508 | ENABLE_NS_ASSERTIONS = NO;
509 | ENABLE_STRICT_OBJC_MSGSEND = YES;
510 | "EXCLUDED_ARCHS[sdk=iphonesimulator*]" = i386;
511 | GCC_C_LANGUAGE_STANDARD = gnu99;
512 | GCC_NO_COMMON_BLOCKS = YES;
513 | GCC_PREPROCESSOR_DEFINITIONS = (
514 | "$(inherited)",
515 | _LIBCPP_ENABLE_CXX17_REMOVED_UNARY_BINARY_FUNCTION,
516 | );
517 | GCC_WARN_64_TO_32_BIT_CONVERSION = YES;
518 | GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR;
519 | GCC_WARN_UNDECLARED_SELECTOR = YES;
520 | GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE;
521 | GCC_WARN_UNUSED_FUNCTION = YES;
522 | GCC_WARN_UNUSED_VARIABLE = YES;
523 | IPHONEOS_DEPLOYMENT_TARGET = 13.0;
524 | LD_RUNPATH_SEARCH_PATHS = "/usr/lib/swift $(inherited)";
525 | LIBRARY_SEARCH_PATHS = "$(SDKROOT)/usr/lib/swift\"$(inherited)\"";
526 | MTL_ENABLE_DEBUG_INFO = NO;
527 | OTHER_CFLAGS = "$(inherited)";
528 | OTHER_CPLUSPLUSFLAGS = "$(inherited)";
529 | OTHER_LDFLAGS = (
530 | "$(inherited)",
531 | " ",
532 | );
533 | REACT_NATIVE_PATH = "${PODS_ROOT}/../../node_modules/react-native";
534 | SDKROOT = iphoneos;
535 | VALIDATE_PRODUCT = YES;
536 | };
537 | name = Release;
538 | };
539 | /* End XCBuildConfiguration section */
540 |
541 | /* Begin XCConfigurationList section */
542 | 13B07F931A680F5B00A75B9A /* Build configuration list for PBXNativeTarget "meetingsApp" */ = {
543 | isa = XCConfigurationList;
544 | buildConfigurations = (
545 | 13B07F941A680F5B00A75B9A /* Debug */,
546 | 13B07F951A680F5B00A75B9A /* Release */,
547 | );
548 | defaultConfigurationIsVisible = 0;
549 | defaultConfigurationName = Release;
550 | };
551 | 83CBB9FA1A601CBA00E9B192 /* Build configuration list for PBXProject "meetingsApp" */ = {
552 | isa = XCConfigurationList;
553 | buildConfigurations = (
554 | 83CBBA201A601CBA00E9B192 /* Debug */,
555 | 83CBBA211A601CBA00E9B192 /* Release */,
556 | );
557 | defaultConfigurationIsVisible = 0;
558 | defaultConfigurationName = Release;
559 | };
560 | /* End XCConfigurationList section */
561 | };
562 | rootObject = 83CBB9F71A601CBA00E9B192 /* Project object */;
563 | }
564 |
--------------------------------------------------------------------------------
/ios/meetingsApp.xcodeproj/xcshareddata/xcschemes/meetingsApp.xcscheme:
--------------------------------------------------------------------------------
1 |
2 |
5 |
8 |
9 |
15 |
21 |
22 |
23 |
24 |
25 |
30 |
31 |
33 |
39 |
40 |
41 |
42 |
43 |
53 |
55 |
61 |
62 |
63 |
64 |
70 |
72 |
78 |
79 |
80 |
81 |
83 |
84 |
87 |
88 |
89 |
--------------------------------------------------------------------------------
/ios/meetingsApp.xcworkspace/contents.xcworkspacedata:
--------------------------------------------------------------------------------
1 |
2 |
4 |
6 |
7 |
9 |
10 |
11 |
--------------------------------------------------------------------------------
/ios/meetingsApp.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | IDEDidComputeMac32BitWarning
6 |
7 |
8 |
9 |
--------------------------------------------------------------------------------
/ios/meetingsApp/AppDelegate.h:
--------------------------------------------------------------------------------
1 | #import
2 | #import
3 | #import
4 |
5 | @interface AppDelegate : EXAppDelegateWrapper
6 |
7 | @end
8 |
--------------------------------------------------------------------------------
/ios/meetingsApp/AppDelegate.mm:
--------------------------------------------------------------------------------
1 | #import "AppDelegate.h"
2 |
3 | #import
4 | #import
5 |
6 | @implementation AppDelegate
7 |
8 | - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
9 | {
10 | self.moduleName = @"main";
11 |
12 | // You can add your custom initial props in the dictionary below.
13 | // They will be passed down to the ViewController used by React Native.
14 | self.initialProps = @{};
15 |
16 | return [super application:application didFinishLaunchingWithOptions:launchOptions];
17 | }
18 |
19 | - (NSURL *)sourceURLForBridge:(RCTBridge *)bridge
20 | {
21 | #if DEBUG
22 | return [[RCTBundleURLProvider sharedSettings] jsBundleURLForBundleRoot:@".expo/.virtual-metro-entry"];
23 | #else
24 | return [[NSBundle mainBundle] URLForResource:@"main" withExtension:@"jsbundle"];
25 | #endif
26 | }
27 |
28 | // Linking API
29 | - (BOOL)application:(UIApplication *)application openURL:(NSURL *)url options:(NSDictionary *)options {
30 | return [super application:application openURL:url options:options] || [RCTLinkingManager application:application openURL:url options:options];
31 | }
32 |
33 | // Universal Links
34 | - (BOOL)application:(UIApplication *)application continueUserActivity:(nonnull NSUserActivity *)userActivity restorationHandler:(nonnull void (^)(NSArray> * _Nullable))restorationHandler {
35 | BOOL result = [RCTLinkingManager application:application continueUserActivity:userActivity restorationHandler:restorationHandler];
36 | return [super application:application continueUserActivity:userActivity restorationHandler:restorationHandler] || result;
37 | }
38 |
39 | // Explicitly define remote notification delegates to ensure compatibility with some third-party libraries
40 | - (void)application:(UIApplication *)application didRegisterForRemoteNotificationsWithDeviceToken:(NSData *)deviceToken
41 | {
42 | return [super application:application didRegisterForRemoteNotificationsWithDeviceToken:deviceToken];
43 | }
44 |
45 | // Explicitly define remote notification delegates to ensure compatibility with some third-party libraries
46 | - (void)application:(UIApplication *)application didFailToRegisterForRemoteNotificationsWithError:(NSError *)error
47 | {
48 | return [super application:application didFailToRegisterForRemoteNotificationsWithError:error];
49 | }
50 |
51 | // Explicitly define remote notification delegates to ensure compatibility with some third-party libraries
52 | - (void)application:(UIApplication *)application didReceiveRemoteNotification:(NSDictionary *)userInfo fetchCompletionHandler:(void (^)(UIBackgroundFetchResult))completionHandler
53 | {
54 | return [super application:application didReceiveRemoteNotification:userInfo fetchCompletionHandler:completionHandler];
55 | }
56 |
57 | @end
58 |
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/AppIcon.appiconset/App-Icon-1024x1024@1x.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/ios/meetingsApp/Images.xcassets/AppIcon.appiconset/App-Icon-1024x1024@1x.png
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/AppIcon.appiconset/Contents.json:
--------------------------------------------------------------------------------
1 | {
2 | "images": [
3 | {
4 | "filename": "App-Icon-1024x1024@1x.png",
5 | "idiom": "universal",
6 | "platform": "ios",
7 | "size": "1024x1024"
8 | }
9 | ],
10 | "info": {
11 | "version": 1,
12 | "author": "expo"
13 | }
14 | }
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/Contents.json:
--------------------------------------------------------------------------------
1 | {
2 | "info" : {
3 | "version" : 1,
4 | "author" : "expo"
5 | }
6 | }
7 |
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/SplashScreen.imageset/Contents.json:
--------------------------------------------------------------------------------
1 | {
2 | "images": [
3 | {
4 | "idiom": "universal",
5 | "filename": "image.png",
6 | "scale": "1x"
7 | },
8 | {
9 | "idiom": "universal",
10 | "scale": "2x"
11 | },
12 | {
13 | "idiom": "universal",
14 | "scale": "3x"
15 | }
16 | ],
17 | "info": {
18 | "version": 1,
19 | "author": "expo"
20 | }
21 | }
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/SplashScreen.imageset/image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/ios/meetingsApp/Images.xcassets/SplashScreen.imageset/image.png
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/SplashScreenBackground.imageset/Contents.json:
--------------------------------------------------------------------------------
1 | {
2 | "images": [
3 | {
4 | "idiom": "universal",
5 | "filename": "image.png",
6 | "scale": "1x"
7 | },
8 | {
9 | "idiom": "universal",
10 | "scale": "2x"
11 | },
12 | {
13 | "idiom": "universal",
14 | "scale": "3x"
15 | }
16 | ],
17 | "info": {
18 | "version": 1,
19 | "author": "expo"
20 | }
21 | }
--------------------------------------------------------------------------------
/ios/meetingsApp/Images.xcassets/SplashScreenBackground.imageset/image.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/ios/meetingsApp/Images.xcassets/SplashScreenBackground.imageset/image.png
--------------------------------------------------------------------------------
/ios/meetingsApp/Info.plist:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | CADisableMinimumFrameDurationOnPhone
6 |
7 | CFBundleDevelopmentRegion
8 | $(DEVELOPMENT_LANGUAGE)
9 | CFBundleDisplayName
10 | meetingsApp
11 | CFBundleExecutable
12 | $(EXECUTABLE_NAME)
13 | CFBundleIdentifier
14 | $(PRODUCT_BUNDLE_IDENTIFIER)
15 | CFBundleInfoDictionaryVersion
16 | 6.0
17 | CFBundleName
18 | $(PRODUCT_NAME)
19 | CFBundlePackageType
20 | $(PRODUCT_BUNDLE_PACKAGE_TYPE)
21 | CFBundleShortVersionString
22 | 1.0.0
23 | CFBundleSignature
24 | ????
25 | CFBundleURLTypes
26 |
27 |
28 | CFBundleURLSchemes
29 |
30 | myapp
31 | com.supersimon.meetingsApp
32 |
33 |
34 |
35 | CFBundleURLSchemes
36 |
37 | exp+meetingsapp
38 |
39 |
40 |
41 | CFBundleVersion
42 | 1
43 | LSRequiresIPhoneOS
44 |
45 | NSAppTransportSecurity
46 |
47 | NSAllowsArbitraryLoads
48 |
49 | NSExceptionDomains
50 |
51 | localhost
52 |
53 | NSExceptionAllowsInsecureHTTPLoads
54 |
55 |
56 |
57 |
58 | NSCameraUsageDescription
59 | Allow $(PRODUCT_NAME) to access your camera
60 | NSMicrophoneUsageDescription
61 | Allow $(PRODUCT_NAME) to access your microphone
62 | NSPhotoLibraryAddUsageDescription
63 | Allow $(PRODUCT_NAME) to save photos
64 | NSPhotoLibraryUsageDescription
65 | Allow $(PRODUCT_NAME) to access your photos
66 | NSUserActivityTypes
67 |
68 | $(PRODUCT_BUNDLE_IDENTIFIER).expo.index_route
69 |
70 | UILaunchStoryboardName
71 | SplashScreen
72 | UIRequiredDeviceCapabilities
73 |
74 | armv7
75 |
76 | UIRequiresFullScreen
77 |
78 | UIStatusBarStyle
79 | UIStatusBarStyleDefault
80 | UISupportedInterfaceOrientations
81 |
82 | UIInterfaceOrientationPortrait
83 | UIInterfaceOrientationPortraitUpsideDown
84 |
85 | UISupportedInterfaceOrientations~ipad
86 |
87 | UIInterfaceOrientationPortrait
88 | UIInterfaceOrientationPortraitUpsideDown
89 | UIInterfaceOrientationLandscapeLeft
90 | UIInterfaceOrientationLandscapeRight
91 |
92 | UIUserInterfaceStyle
93 | Automatic
94 | UIViewControllerBasedStatusBarAppearance
95 |
96 |
97 |
--------------------------------------------------------------------------------
/ios/meetingsApp/SplashScreen.storyboard:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 |
7 |
8 |
9 |
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 |
18 |
19 |
20 |
21 |
22 |
23 |
24 |
25 |
26 |
27 |
28 |
29 |
30 |
31 |
32 |
33 |
34 |
35 |
36 |
37 |
38 |
39 |
40 |
41 |
42 |
43 |
44 |
45 |
46 |
47 |
48 |
49 |
50 |
51 |
--------------------------------------------------------------------------------
/ios/meetingsApp/Supporting/Expo.plist:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | EXUpdatesCheckOnLaunch
6 | ALWAYS
7 | EXUpdatesEnabled
8 |
9 | EXUpdatesLaunchWaitMs
10 | 0
11 | EXUpdatesSDKVersion
12 | 49.0.0
13 |
14 |
--------------------------------------------------------------------------------
/ios/meetingsApp/main.m:
--------------------------------------------------------------------------------
1 | #import
2 |
3 | #import "AppDelegate.h"
4 |
5 | int main(int argc, char * argv[]) {
6 | @autoreleasepool {
7 | return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class]));
8 | }
9 | }
10 |
11 |
--------------------------------------------------------------------------------
/ios/meetingsApp/meetingsApp-Bridging-Header.h:
--------------------------------------------------------------------------------
1 | //
2 | // Use this file to import your target's public headers that you would like to expose to Swift.
3 | //
4 |
--------------------------------------------------------------------------------
/ios/meetingsApp/meetingsApp.entitlements:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | aps-environment
6 | development
7 |
8 |
--------------------------------------------------------------------------------
/ios/meetingsApp/noop-file.swift:
--------------------------------------------------------------------------------
1 | //
2 | // @generated
3 | // A blank Swift file must be created for native modules with Swift files to work correctly.
4 | //
5 |
--------------------------------------------------------------------------------
/metro.config.js:
--------------------------------------------------------------------------------
1 | // Learn more https://docs.expo.io/guides/customizing-metro
2 | const { getDefaultConfig } = require('expo/metro-config');
3 |
4 | /** @type {import('expo/metro-config').MetroConfig} */
5 | const config = getDefaultConfig(__dirname, {
6 | // [Web-only]: Enables CSS support in Metro.
7 | isCSSEnabled: true,
8 | });
9 |
10 | module.exports = config;
11 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "meetingsapp",
3 | "main": "expo-router/entry",
4 | "version": "1.0.0",
5 | "scripts": {
6 | "start": "expo start",
7 | "android": "expo run:android",
8 | "ios": "expo run:ios",
9 | "web": "expo start --web",
10 | "test": "jest --watchAll"
11 | },
12 | "jest": {
13 | "preset": "jest-expo"
14 | },
15 | "dependencies": {
16 | "@config-plugins/react-native-webrtc": "^7.0.0",
17 | "@expo/vector-icons": "^13.0.0",
18 | "@gorhom/bottom-sheet": "^4.5.1",
19 | "@notifee/react-native": "^7.8.0",
20 | "@react-native-community/netinfo": "9.3.10",
21 | "@react-navigation/native": "^6.0.2",
22 | "@stream-io/react-native-webrtc": "^104.0.1",
23 | "@stream-io/video-react-native-sdk": "^0.1.10",
24 | "expo": "~49.0.15",
25 | "expo-clipboard": "~4.3.1",
26 | "expo-dev-client": "~2.4.11",
27 | "expo-file-system": "~15.4.4",
28 | "expo-font": "~11.4.0",
29 | "expo-image-manipulator": "~11.3.0",
30 | "expo-image-picker": "~14.3.2",
31 | "expo-linking": "~5.0.2",
32 | "expo-media-library": "~15.4.1",
33 | "expo-router": "^2.0.0",
34 | "expo-secure-store": "~12.3.1",
35 | "expo-splash-screen": "~0.20.5",
36 | "expo-status-bar": "~1.6.0",
37 | "expo-system-ui": "~2.4.0",
38 | "expo-web-browser": "~12.3.2",
39 | "react": "18.2.0",
40 | "react-dom": "18.2.0",
41 | "react-native": "0.72.6",
42 | "react-native-gesture-handler": "~2.12.0",
43 | "react-native-incall-manager": "^4.1.0",
44 | "react-native-loading-spinner-overlay": "^3.0.1",
45 | "react-native-reanimated": "~3.3.0",
46 | "react-native-safe-area-context": "4.6.3",
47 | "react-native-screens": "~3.22.0",
48 | "react-native-svg": "13.9.0",
49 | "react-native-toast-message": "^2.1.6",
50 | "react-native-web": "~0.19.6",
51 | "stream-chat-expo": "^5.19.0",
52 | "stream-chat-react-native": "^5.19.0"
53 | },
54 | "devDependencies": {
55 | "@babel/core": "^7.20.0",
56 | "@types/react": "~18.2.14",
57 | "jest": "^29.2.1",
58 | "jest-expo": "~49.0.0",
59 | "react-test-renderer": "18.2.0",
60 | "typescript": "^5.1.3"
61 | },
62 | "overrides": {
63 | "react-refresh": "~0.14.0"
64 | },
65 | "resolutions": {
66 | "react-refresh": "~0.14.0"
67 | },
68 | "private": true
69 | }
70 |
--------------------------------------------------------------------------------
/screenshots/1.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/screenshots/1.png
--------------------------------------------------------------------------------
/screenshots/2.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/screenshots/2.png
--------------------------------------------------------------------------------
/screenshots/3.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/screenshots/3.png
--------------------------------------------------------------------------------
/screenshots/4.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Galaxies-dev/meetings-react-native-stream/ddc0d3badac206d5963271a89921686cfdfa924c/screenshots/4.png
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "extends": "expo/tsconfig.base",
3 | "compilerOptions": {
4 | "strict": true
5 | },
6 | "include": [
7 | "**/*.ts",
8 | "**/*.tsx",
9 | ".expo/types/**/*.ts",
10 | "expo-env.d.ts",
11 | "app/(inside)/index.txs"
12 | ]
13 | }
14 |
--------------------------------------------------------------------------------
]