mirror of
https://github.com/tapframe/NuvioStreaming.git
synced 2026-03-11 17:45:38 +00:00
added onboarding
This commit is contained in:
parent
ba94a515c8
commit
12c7d8f860
7 changed files with 560 additions and 11 deletions
26
App.tsx
26
App.tsx
|
|
@ -5,7 +5,7 @@
|
||||||
* @format
|
* @format
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import React, { useState } from 'react';
|
import React, { useState, useEffect } from 'react';
|
||||||
import {
|
import {
|
||||||
View,
|
View,
|
||||||
StyleSheet
|
StyleSheet
|
||||||
|
|
@ -25,6 +25,7 @@ import { GenreProvider } from './src/contexts/GenreContext';
|
||||||
import { TraktProvider } from './src/contexts/TraktContext';
|
import { TraktProvider } from './src/contexts/TraktContext';
|
||||||
import { ThemeProvider, useTheme } from './src/contexts/ThemeContext';
|
import { ThemeProvider, useTheme } from './src/contexts/ThemeContext';
|
||||||
import SplashScreen from './src/components/SplashScreen';
|
import SplashScreen from './src/components/SplashScreen';
|
||||||
|
import AsyncStorage from '@react-native-async-storage/async-storage';
|
||||||
import * as Sentry from '@sentry/react-native';
|
import * as Sentry from '@sentry/react-native';
|
||||||
|
|
||||||
Sentry.init({
|
Sentry.init({
|
||||||
|
|
@ -50,6 +51,23 @@ enableScreens(true);
|
||||||
const ThemedApp = () => {
|
const ThemedApp = () => {
|
||||||
const { currentTheme } = useTheme();
|
const { currentTheme } = useTheme();
|
||||||
const [isAppReady, setIsAppReady] = useState(false);
|
const [isAppReady, setIsAppReady] = useState(false);
|
||||||
|
const [hasCompletedOnboarding, setHasCompletedOnboarding] = useState<boolean | null>(null);
|
||||||
|
|
||||||
|
// Check onboarding status
|
||||||
|
useEffect(() => {
|
||||||
|
const checkOnboardingStatus = async () => {
|
||||||
|
try {
|
||||||
|
const onboardingCompleted = await AsyncStorage.getItem('hasCompletedOnboarding');
|
||||||
|
setHasCompletedOnboarding(onboardingCompleted === 'true');
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Error checking onboarding status:', error);
|
||||||
|
// Default to showing onboarding if we can't check
|
||||||
|
setHasCompletedOnboarding(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
checkOnboardingStatus();
|
||||||
|
}, []);
|
||||||
|
|
||||||
// Create custom themes based on current theme
|
// Create custom themes based on current theme
|
||||||
const customDarkTheme = {
|
const customDarkTheme = {
|
||||||
|
|
@ -75,6 +93,10 @@ const ThemedApp = () => {
|
||||||
setIsAppReady(true);
|
setIsAppReady(true);
|
||||||
};
|
};
|
||||||
|
|
||||||
|
// Don't render anything until we know the onboarding status
|
||||||
|
const shouldShowApp = isAppReady && hasCompletedOnboarding !== null;
|
||||||
|
const initialRouteName = hasCompletedOnboarding ? 'MainTabs' : 'Onboarding';
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<PaperProvider theme={customDarkTheme}>
|
<PaperProvider theme={customDarkTheme}>
|
||||||
<NavigationContainer
|
<NavigationContainer
|
||||||
|
|
@ -87,7 +109,7 @@ const ThemedApp = () => {
|
||||||
style="light"
|
style="light"
|
||||||
/>
|
/>
|
||||||
{!isAppReady && <SplashScreen onFinish={handleSplashComplete} />}
|
{!isAppReady && <SplashScreen onFinish={handleSplashComplete} />}
|
||||||
{isAppReady && <AppNavigator />}
|
{shouldShowApp && <AppNavigator initialRouteName={initialRouteName} />}
|
||||||
</View>
|
</View>
|
||||||
</NavigationContainer>
|
</NavigationContainer>
|
||||||
</PaperProvider>
|
</PaperProvider>
|
||||||
|
|
|
||||||
106
src/components/FirstTimeWelcome.tsx
Normal file
106
src/components/FirstTimeWelcome.tsx
Normal file
|
|
@ -0,0 +1,106 @@
|
||||||
|
import React from 'react';
|
||||||
|
import {
|
||||||
|
View,
|
||||||
|
Text,
|
||||||
|
StyleSheet,
|
||||||
|
TouchableOpacity,
|
||||||
|
Dimensions,
|
||||||
|
} from 'react-native';
|
||||||
|
import { MaterialIcons } from '@expo/vector-icons';
|
||||||
|
import { LinearGradient } from 'expo-linear-gradient';
|
||||||
|
import Animated, { FadeInDown } from 'react-native-reanimated';
|
||||||
|
import { useTheme } from '../contexts/ThemeContext';
|
||||||
|
import { NavigationProp, useNavigation } from '@react-navigation/native';
|
||||||
|
import { RootStackParamList } from '../navigation/AppNavigator';
|
||||||
|
|
||||||
|
const { width } = Dimensions.get('window');
|
||||||
|
|
||||||
|
const FirstTimeWelcome = () => {
|
||||||
|
const { currentTheme } = useTheme();
|
||||||
|
const navigation = useNavigation<NavigationProp<RootStackParamList>>();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Animated.View
|
||||||
|
entering={FadeInDown.delay(200).duration(600)}
|
||||||
|
style={[styles.container, { backgroundColor: currentTheme.colors.elevation1 }]}
|
||||||
|
>
|
||||||
|
<LinearGradient
|
||||||
|
colors={[currentTheme.colors.primary, currentTheme.colors.secondary]}
|
||||||
|
style={styles.iconContainer}
|
||||||
|
start={{ x: 0, y: 0 }}
|
||||||
|
end={{ x: 1, y: 1 }}
|
||||||
|
>
|
||||||
|
<MaterialIcons name="explore" size={40} color="white" />
|
||||||
|
</LinearGradient>
|
||||||
|
|
||||||
|
<Text style={[styles.title, { color: currentTheme.colors.highEmphasis }]}>
|
||||||
|
Welcome to Nuvio!
|
||||||
|
</Text>
|
||||||
|
|
||||||
|
<Text style={[styles.description, { color: currentTheme.colors.mediumEmphasis }]}>
|
||||||
|
To get started, install some addons to access content from various sources.
|
||||||
|
</Text>
|
||||||
|
|
||||||
|
<TouchableOpacity
|
||||||
|
style={[styles.button, { backgroundColor: currentTheme.colors.primary }]}
|
||||||
|
onPress={() => navigation.navigate('Addons')}
|
||||||
|
>
|
||||||
|
<MaterialIcons name="extension" size={20} color="white" />
|
||||||
|
<Text style={styles.buttonText}>Install Addons</Text>
|
||||||
|
</TouchableOpacity>
|
||||||
|
</Animated.View>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const styles = StyleSheet.create({
|
||||||
|
container: {
|
||||||
|
margin: 16,
|
||||||
|
padding: 24,
|
||||||
|
borderRadius: 16,
|
||||||
|
alignItems: 'center',
|
||||||
|
shadowColor: '#000',
|
||||||
|
shadowOffset: {
|
||||||
|
width: 0,
|
||||||
|
height: 2,
|
||||||
|
},
|
||||||
|
shadowOpacity: 0.1,
|
||||||
|
shadowRadius: 8,
|
||||||
|
elevation: 4,
|
||||||
|
},
|
||||||
|
iconContainer: {
|
||||||
|
width: 80,
|
||||||
|
height: 80,
|
||||||
|
borderRadius: 40,
|
||||||
|
alignItems: 'center',
|
||||||
|
justifyContent: 'center',
|
||||||
|
marginBottom: 16,
|
||||||
|
},
|
||||||
|
title: {
|
||||||
|
fontSize: 20,
|
||||||
|
fontWeight: 'bold',
|
||||||
|
marginBottom: 8,
|
||||||
|
textAlign: 'center',
|
||||||
|
},
|
||||||
|
description: {
|
||||||
|
fontSize: 14,
|
||||||
|
textAlign: 'center',
|
||||||
|
lineHeight: 20,
|
||||||
|
marginBottom: 20,
|
||||||
|
maxWidth: width * 0.7,
|
||||||
|
},
|
||||||
|
button: {
|
||||||
|
flexDirection: 'row',
|
||||||
|
alignItems: 'center',
|
||||||
|
paddingVertical: 12,
|
||||||
|
paddingHorizontal: 20,
|
||||||
|
borderRadius: 25,
|
||||||
|
gap: 8,
|
||||||
|
},
|
||||||
|
buttonText: {
|
||||||
|
color: 'white',
|
||||||
|
fontSize: 14,
|
||||||
|
fontWeight: '600',
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
export default FirstTimeWelcome;
|
||||||
|
|
@ -39,9 +39,11 @@ import PlayerSettingsScreen from '../screens/PlayerSettingsScreen';
|
||||||
import LogoSourceSettings from '../screens/LogoSourceSettings';
|
import LogoSourceSettings from '../screens/LogoSourceSettings';
|
||||||
import ThemeScreen from '../screens/ThemeScreen';
|
import ThemeScreen from '../screens/ThemeScreen';
|
||||||
import ProfilesScreen from '../screens/ProfilesScreen';
|
import ProfilesScreen from '../screens/ProfilesScreen';
|
||||||
|
import OnboardingScreen from '../screens/OnboardingScreen';
|
||||||
|
|
||||||
// Stack navigator types
|
// Stack navigator types
|
||||||
export type RootStackParamList = {
|
export type RootStackParamList = {
|
||||||
|
Onboarding: undefined;
|
||||||
MainTabs: undefined;
|
MainTabs: undefined;
|
||||||
Home: undefined;
|
Home: undefined;
|
||||||
Discover: undefined;
|
Discover: undefined;
|
||||||
|
|
@ -688,7 +690,7 @@ const customFadeInterpolator = ({ current, layouts }: any) => {
|
||||||
};
|
};
|
||||||
|
|
||||||
// Stack Navigator
|
// Stack Navigator
|
||||||
const AppNavigator = () => {
|
const AppNavigator = ({ initialRouteName }: { initialRouteName?: keyof RootStackParamList }) => {
|
||||||
const { currentTheme } = useTheme();
|
const { currentTheme } = useTheme();
|
||||||
|
|
||||||
// Handle Android-specific optimizations
|
// Handle Android-specific optimizations
|
||||||
|
|
@ -717,6 +719,7 @@ const AppNavigator = () => {
|
||||||
})
|
})
|
||||||
}}>
|
}}>
|
||||||
<Stack.Navigator
|
<Stack.Navigator
|
||||||
|
initialRouteName={initialRouteName || 'MainTabs'}
|
||||||
screenOptions={{
|
screenOptions={{
|
||||||
headerShown: false,
|
headerShown: false,
|
||||||
// Use slide_from_right for consistency and smooth transitions
|
// Use slide_from_right for consistency and smooth transitions
|
||||||
|
|
@ -746,6 +749,18 @@ const AppNavigator = () => {
|
||||||
}),
|
}),
|
||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
|
<Stack.Screen
|
||||||
|
name="Onboarding"
|
||||||
|
component={OnboardingScreen}
|
||||||
|
options={{
|
||||||
|
headerShown: false,
|
||||||
|
animation: 'fade',
|
||||||
|
animationDuration: 300,
|
||||||
|
contentStyle: {
|
||||||
|
backgroundColor: currentTheme.colors.darkBackground,
|
||||||
|
},
|
||||||
|
}}
|
||||||
|
/>
|
||||||
<Stack.Screen
|
<Stack.Screen
|
||||||
name="MainTabs"
|
name="MainTabs"
|
||||||
component={MainTabs as any}
|
component={MainTabs as any}
|
||||||
|
|
|
||||||
|
|
@ -63,6 +63,7 @@ import { useTheme } from '../contexts/ThemeContext';
|
||||||
import type { Theme } from '../contexts/ThemeContext';
|
import type { Theme } from '../contexts/ThemeContext';
|
||||||
import * as ScreenOrientation from 'expo-screen-orientation';
|
import * as ScreenOrientation from 'expo-screen-orientation';
|
||||||
import AsyncStorage from '@react-native-async-storage/async-storage';
|
import AsyncStorage from '@react-native-async-storage/async-storage';
|
||||||
|
import FirstTimeWelcome from '../components/FirstTimeWelcome';
|
||||||
|
|
||||||
// Constants
|
// Constants
|
||||||
const CATALOG_SETTINGS_KEY = 'catalog_settings';
|
const CATALOG_SETTINGS_KEY = 'catalog_settings';
|
||||||
|
|
@ -82,7 +83,8 @@ type HomeScreenListItem =
|
||||||
| { type: 'thisWeek'; key: string }
|
| { type: 'thisWeek'; key: string }
|
||||||
| { type: 'continueWatching'; key: string }
|
| { type: 'continueWatching'; key: string }
|
||||||
| { type: 'catalog'; catalog: CatalogContent; key: string }
|
| { type: 'catalog'; catalog: CatalogContent; key: string }
|
||||||
| { type: 'placeholder'; key: string };
|
| { type: 'placeholder'; key: string }
|
||||||
|
| { type: 'welcome'; key: string };
|
||||||
|
|
||||||
// Sample categories (real app would get these from API)
|
// Sample categories (real app would get these from API)
|
||||||
const SAMPLE_CATEGORIES: Category[] = [
|
const SAMPLE_CATEGORIES: Category[] = [
|
||||||
|
|
@ -117,6 +119,7 @@ const HomeScreen = () => {
|
||||||
const [catalogs, setCatalogs] = useState<(CatalogContent | null)[]>([]);
|
const [catalogs, setCatalogs] = useState<(CatalogContent | null)[]>([]);
|
||||||
const [catalogsLoading, setCatalogsLoading] = useState(true);
|
const [catalogsLoading, setCatalogsLoading] = useState(true);
|
||||||
const [loadedCatalogCount, setLoadedCatalogCount] = useState(0);
|
const [loadedCatalogCount, setLoadedCatalogCount] = useState(0);
|
||||||
|
const [hasAddons, setHasAddons] = useState<boolean | null>(null);
|
||||||
const totalCatalogsRef = useRef(0);
|
const totalCatalogsRef = useRef(0);
|
||||||
|
|
||||||
const {
|
const {
|
||||||
|
|
@ -136,6 +139,9 @@ const HomeScreen = () => {
|
||||||
try {
|
try {
|
||||||
const addons = await catalogService.getAllAddons();
|
const addons = await catalogService.getAllAddons();
|
||||||
|
|
||||||
|
// Set hasAddons state based on whether we have any addons
|
||||||
|
setHasAddons(addons.length > 0);
|
||||||
|
|
||||||
// Load catalog settings to check which catalogs are enabled
|
// Load catalog settings to check which catalogs are enabled
|
||||||
const catalogSettingsJson = await AsyncStorage.getItem(CATALOG_SETTINGS_KEY);
|
const catalogSettingsJson = await AsyncStorage.getItem(CATALOG_SETTINGS_KEY);
|
||||||
const catalogSettings = catalogSettingsJson ? JSON.parse(catalogSettingsJson) : {};
|
const catalogSettings = catalogSettingsJson ? JSON.parse(catalogSettingsJson) : {};
|
||||||
|
|
@ -469,6 +475,13 @@ const HomeScreen = () => {
|
||||||
const listData: HomeScreenListItem[] = useMemo(() => {
|
const listData: HomeScreenListItem[] = useMemo(() => {
|
||||||
const data: HomeScreenListItem[] = [];
|
const data: HomeScreenListItem[] = [];
|
||||||
|
|
||||||
|
// If no addons are installed, just show the welcome component
|
||||||
|
if (hasAddons === false) {
|
||||||
|
data.push({ type: 'welcome', key: 'welcome' });
|
||||||
|
return data;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Normal flow when addons are present
|
||||||
if (showHeroSection) {
|
if (showHeroSection) {
|
||||||
data.push({ type: 'featured', key: 'featured' });
|
data.push({ type: 'featured', key: 'featured' });
|
||||||
}
|
}
|
||||||
|
|
@ -486,7 +499,7 @@ const HomeScreen = () => {
|
||||||
});
|
});
|
||||||
|
|
||||||
return data;
|
return data;
|
||||||
}, [showHeroSection, catalogs]);
|
}, [hasAddons, showHeroSection, catalogs]);
|
||||||
|
|
||||||
const renderListItem = useCallback(({ item }: { item: HomeScreenListItem }) => {
|
const renderListItem = useCallback(({ item }: { item: HomeScreenListItem }) => {
|
||||||
switch (item.type) {
|
switch (item.type) {
|
||||||
|
|
@ -526,6 +539,8 @@ const HomeScreen = () => {
|
||||||
</View>
|
</View>
|
||||||
</View>
|
</View>
|
||||||
);
|
);
|
||||||
|
case 'welcome':
|
||||||
|
return <FirstTimeWelcome />;
|
||||||
default:
|
default:
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
|
||||||
373
src/screens/OnboardingScreen.tsx
Normal file
373
src/screens/OnboardingScreen.tsx
Normal file
|
|
@ -0,0 +1,373 @@
|
||||||
|
import React, { useState, useRef } from 'react';
|
||||||
|
import {
|
||||||
|
View,
|
||||||
|
Text,
|
||||||
|
StyleSheet,
|
||||||
|
Dimensions,
|
||||||
|
TouchableOpacity,
|
||||||
|
FlatList,
|
||||||
|
Image,
|
||||||
|
StatusBar,
|
||||||
|
Platform,
|
||||||
|
} from 'react-native';
|
||||||
|
import { SafeAreaView } from 'react-native-safe-area-context';
|
||||||
|
import { MaterialIcons } from '@expo/vector-icons';
|
||||||
|
import { LinearGradient } from 'expo-linear-gradient';
|
||||||
|
import Animated, {
|
||||||
|
useSharedValue,
|
||||||
|
useAnimatedStyle,
|
||||||
|
withSpring,
|
||||||
|
withTiming,
|
||||||
|
FadeInDown,
|
||||||
|
FadeInUp,
|
||||||
|
} from 'react-native-reanimated';
|
||||||
|
import { useTheme } from '../contexts/ThemeContext';
|
||||||
|
import { NavigationProp, useNavigation } from '@react-navigation/native';
|
||||||
|
import { RootStackParamList } from '../navigation/AppNavigator';
|
||||||
|
import AsyncStorage from '@react-native-async-storage/async-storage';
|
||||||
|
|
||||||
|
const { width, height } = Dimensions.get('window');
|
||||||
|
|
||||||
|
interface OnboardingSlide {
|
||||||
|
id: string;
|
||||||
|
title: string;
|
||||||
|
subtitle: string;
|
||||||
|
description: string;
|
||||||
|
icon: keyof typeof MaterialIcons.glyphMap;
|
||||||
|
gradient: [string, string];
|
||||||
|
}
|
||||||
|
|
||||||
|
const onboardingData: OnboardingSlide[] = [
|
||||||
|
{
|
||||||
|
id: '1',
|
||||||
|
title: 'Welcome to Nuvio',
|
||||||
|
subtitle: 'Your Ultimate Content Hub',
|
||||||
|
description: 'Discover, organize, and manage your favorite movies and TV shows from multiple sources in one beautiful app.',
|
||||||
|
icon: 'play-circle-filled',
|
||||||
|
gradient: ['#667eea', '#764ba2'],
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '2',
|
||||||
|
title: 'Powerful Addons',
|
||||||
|
subtitle: 'Extend Your Experience',
|
||||||
|
description: 'Install addons to access content from various platforms and services. Choose what works best for you.',
|
||||||
|
icon: 'extension',
|
||||||
|
gradient: ['#f093fb', '#f5576c'],
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '3',
|
||||||
|
title: 'Smart Discovery',
|
||||||
|
subtitle: 'Find What You Love',
|
||||||
|
description: 'Browse trending content, search across all your sources, and get personalized recommendations.',
|
||||||
|
icon: 'explore',
|
||||||
|
gradient: ['#4facfe', '#00f2fe'],
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '4',
|
||||||
|
title: 'Your Library',
|
||||||
|
subtitle: 'Track & Organize',
|
||||||
|
description: 'Save favorites, track your progress, and sync with Trakt to keep everything organized across devices.',
|
||||||
|
icon: 'library-books',
|
||||||
|
gradient: ['#43e97b', '#38f9d7'],
|
||||||
|
},
|
||||||
|
];
|
||||||
|
|
||||||
|
const OnboardingScreen = () => {
|
||||||
|
const { currentTheme } = useTheme();
|
||||||
|
const navigation = useNavigation<NavigationProp<RootStackParamList>>();
|
||||||
|
const [currentIndex, setCurrentIndex] = useState(0);
|
||||||
|
const flatListRef = useRef<FlatList>(null);
|
||||||
|
const progressValue = useSharedValue(0);
|
||||||
|
|
||||||
|
const animatedProgressStyle = useAnimatedStyle(() => ({
|
||||||
|
width: withSpring(`${((currentIndex + 1) / onboardingData.length) * 100}%`),
|
||||||
|
}));
|
||||||
|
|
||||||
|
const handleNext = () => {
|
||||||
|
if (currentIndex < onboardingData.length - 1) {
|
||||||
|
const nextIndex = currentIndex + 1;
|
||||||
|
setCurrentIndex(nextIndex);
|
||||||
|
flatListRef.current?.scrollToIndex({ index: nextIndex, animated: true });
|
||||||
|
progressValue.value = (nextIndex + 1) / onboardingData.length;
|
||||||
|
} else {
|
||||||
|
handleGetStarted();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleSkip = () => {
|
||||||
|
handleGetStarted();
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleGetStarted = async () => {
|
||||||
|
try {
|
||||||
|
await AsyncStorage.setItem('hasCompletedOnboarding', 'true');
|
||||||
|
navigation.reset({
|
||||||
|
index: 0,
|
||||||
|
routes: [{ name: 'MainTabs' }],
|
||||||
|
});
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Error saving onboarding status:', error);
|
||||||
|
navigation.reset({
|
||||||
|
index: 0,
|
||||||
|
routes: [{ name: 'MainTabs' }],
|
||||||
|
});
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const renderSlide = ({ item, index }: { item: OnboardingSlide; index: number }) => {
|
||||||
|
const isActive = index === currentIndex;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<View style={styles.slide}>
|
||||||
|
<LinearGradient
|
||||||
|
colors={item.gradient}
|
||||||
|
style={styles.iconContainer}
|
||||||
|
start={{ x: 0, y: 0 }}
|
||||||
|
end={{ x: 1, y: 1 }}
|
||||||
|
>
|
||||||
|
<Animated.View
|
||||||
|
entering={FadeInDown.delay(300).duration(800)}
|
||||||
|
style={styles.iconWrapper}
|
||||||
|
>
|
||||||
|
<MaterialIcons
|
||||||
|
name={item.icon}
|
||||||
|
size={80}
|
||||||
|
color="white"
|
||||||
|
/>
|
||||||
|
</Animated.View>
|
||||||
|
</LinearGradient>
|
||||||
|
|
||||||
|
<Animated.View
|
||||||
|
entering={FadeInUp.delay(500).duration(800)}
|
||||||
|
style={styles.textContainer}
|
||||||
|
>
|
||||||
|
<Text style={[styles.title, { color: currentTheme.colors.highEmphasis }]}>
|
||||||
|
{item.title}
|
||||||
|
</Text>
|
||||||
|
<Text style={[styles.subtitle, { color: currentTheme.colors.primary }]}>
|
||||||
|
{item.subtitle}
|
||||||
|
</Text>
|
||||||
|
<Text style={[styles.description, { color: currentTheme.colors.mediumEmphasis }]}>
|
||||||
|
{item.description}
|
||||||
|
</Text>
|
||||||
|
</Animated.View>
|
||||||
|
</View>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const renderPagination = () => (
|
||||||
|
<View style={styles.pagination}>
|
||||||
|
{onboardingData.map((_, index) => (
|
||||||
|
<View
|
||||||
|
key={index}
|
||||||
|
style={[
|
||||||
|
styles.paginationDot,
|
||||||
|
{
|
||||||
|
backgroundColor: index === currentIndex
|
||||||
|
? currentTheme.colors.primary
|
||||||
|
: currentTheme.colors.elevation2,
|
||||||
|
opacity: index === currentIndex ? 1 : 0.4,
|
||||||
|
},
|
||||||
|
]}
|
||||||
|
/>
|
||||||
|
))}
|
||||||
|
</View>
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<SafeAreaView style={[styles.container, { backgroundColor: currentTheme.colors.darkBackground }]}>
|
||||||
|
<StatusBar barStyle="light-content" backgroundColor={currentTheme.colors.darkBackground} />
|
||||||
|
|
||||||
|
{/* Header */}
|
||||||
|
<View style={styles.header}>
|
||||||
|
<TouchableOpacity onPress={handleSkip} style={styles.skipButton}>
|
||||||
|
<Text style={[styles.skipText, { color: currentTheme.colors.mediumEmphasis }]}>
|
||||||
|
Skip
|
||||||
|
</Text>
|
||||||
|
</TouchableOpacity>
|
||||||
|
|
||||||
|
{/* Progress Bar */}
|
||||||
|
<View style={[styles.progressContainer, { backgroundColor: currentTheme.colors.elevation1 }]}>
|
||||||
|
<Animated.View
|
||||||
|
style={[
|
||||||
|
styles.progressBar,
|
||||||
|
{ backgroundColor: currentTheme.colors.primary },
|
||||||
|
animatedProgressStyle
|
||||||
|
]}
|
||||||
|
/>
|
||||||
|
</View>
|
||||||
|
</View>
|
||||||
|
|
||||||
|
{/* Content */}
|
||||||
|
<FlatList
|
||||||
|
ref={flatListRef}
|
||||||
|
data={onboardingData}
|
||||||
|
renderItem={renderSlide}
|
||||||
|
horizontal
|
||||||
|
pagingEnabled
|
||||||
|
showsHorizontalScrollIndicator={false}
|
||||||
|
keyExtractor={(item) => item.id}
|
||||||
|
onMomentumScrollEnd={(event) => {
|
||||||
|
const slideIndex = Math.round(event.nativeEvent.contentOffset.x / width);
|
||||||
|
setCurrentIndex(slideIndex);
|
||||||
|
}}
|
||||||
|
style={{ flex: 1 }}
|
||||||
|
/>
|
||||||
|
|
||||||
|
{/* Footer */}
|
||||||
|
<View style={styles.footer}>
|
||||||
|
{renderPagination()}
|
||||||
|
|
||||||
|
<View style={styles.buttonContainer}>
|
||||||
|
<TouchableOpacity
|
||||||
|
style={[
|
||||||
|
styles.button,
|
||||||
|
styles.nextButton,
|
||||||
|
{ backgroundColor: currentTheme.colors.primary }
|
||||||
|
]}
|
||||||
|
onPress={handleNext}
|
||||||
|
>
|
||||||
|
<Text style={[styles.buttonText, { color: 'white' }]}>
|
||||||
|
{currentIndex === onboardingData.length - 1 ? 'Get Started' : 'Next'}
|
||||||
|
</Text>
|
||||||
|
<MaterialIcons
|
||||||
|
name={currentIndex === onboardingData.length - 1 ? 'check' : 'arrow-forward'}
|
||||||
|
size={20}
|
||||||
|
color="white"
|
||||||
|
style={styles.buttonIcon}
|
||||||
|
/>
|
||||||
|
</TouchableOpacity>
|
||||||
|
</View>
|
||||||
|
</View>
|
||||||
|
</SafeAreaView>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const styles = StyleSheet.create({
|
||||||
|
container: {
|
||||||
|
flex: 1,
|
||||||
|
},
|
||||||
|
header: {
|
||||||
|
flexDirection: 'row',
|
||||||
|
justifyContent: 'space-between',
|
||||||
|
alignItems: 'center',
|
||||||
|
paddingHorizontal: 20,
|
||||||
|
paddingTop: Platform.OS === 'ios' ? 10 : 20,
|
||||||
|
paddingBottom: 20,
|
||||||
|
},
|
||||||
|
skipButton: {
|
||||||
|
padding: 10,
|
||||||
|
},
|
||||||
|
skipText: {
|
||||||
|
fontSize: 16,
|
||||||
|
fontWeight: '500',
|
||||||
|
},
|
||||||
|
progressContainer: {
|
||||||
|
flex: 1,
|
||||||
|
height: 4,
|
||||||
|
borderRadius: 2,
|
||||||
|
marginHorizontal: 20,
|
||||||
|
overflow: 'hidden',
|
||||||
|
},
|
||||||
|
progressBar: {
|
||||||
|
height: '100%',
|
||||||
|
borderRadius: 2,
|
||||||
|
},
|
||||||
|
slide: {
|
||||||
|
width,
|
||||||
|
height: '100%',
|
||||||
|
alignItems: 'center',
|
||||||
|
justifyContent: 'center',
|
||||||
|
paddingHorizontal: 40,
|
||||||
|
},
|
||||||
|
iconContainer: {
|
||||||
|
width: 160,
|
||||||
|
height: 160,
|
||||||
|
borderRadius: 80,
|
||||||
|
alignItems: 'center',
|
||||||
|
justifyContent: 'center',
|
||||||
|
marginBottom: 60,
|
||||||
|
shadowColor: '#000',
|
||||||
|
shadowOffset: {
|
||||||
|
width: 0,
|
||||||
|
height: 10,
|
||||||
|
},
|
||||||
|
shadowOpacity: 0.3,
|
||||||
|
shadowRadius: 20,
|
||||||
|
elevation: 15,
|
||||||
|
},
|
||||||
|
iconWrapper: {
|
||||||
|
alignItems: 'center',
|
||||||
|
justifyContent: 'center',
|
||||||
|
},
|
||||||
|
textContainer: {
|
||||||
|
alignItems: 'center',
|
||||||
|
paddingHorizontal: 20,
|
||||||
|
},
|
||||||
|
title: {
|
||||||
|
fontSize: 28,
|
||||||
|
fontWeight: 'bold',
|
||||||
|
textAlign: 'center',
|
||||||
|
marginBottom: 8,
|
||||||
|
},
|
||||||
|
subtitle: {
|
||||||
|
fontSize: 18,
|
||||||
|
fontWeight: '600',
|
||||||
|
textAlign: 'center',
|
||||||
|
marginBottom: 16,
|
||||||
|
},
|
||||||
|
description: {
|
||||||
|
fontSize: 16,
|
||||||
|
textAlign: 'center',
|
||||||
|
lineHeight: 24,
|
||||||
|
maxWidth: 280,
|
||||||
|
},
|
||||||
|
footer: {
|
||||||
|
paddingHorizontal: 20,
|
||||||
|
paddingBottom: Platform.OS === 'ios' ? 40 : 20,
|
||||||
|
},
|
||||||
|
pagination: {
|
||||||
|
flexDirection: 'row',
|
||||||
|
justifyContent: 'center',
|
||||||
|
alignItems: 'center',
|
||||||
|
marginBottom: 40,
|
||||||
|
},
|
||||||
|
paginationDot: {
|
||||||
|
width: 8,
|
||||||
|
height: 8,
|
||||||
|
borderRadius: 4,
|
||||||
|
marginHorizontal: 4,
|
||||||
|
},
|
||||||
|
buttonContainer: {
|
||||||
|
alignItems: 'center',
|
||||||
|
},
|
||||||
|
button: {
|
||||||
|
borderRadius: 30,
|
||||||
|
paddingVertical: 16,
|
||||||
|
paddingHorizontal: 32,
|
||||||
|
minWidth: 160,
|
||||||
|
alignItems: 'center',
|
||||||
|
justifyContent: 'center',
|
||||||
|
flexDirection: 'row',
|
||||||
|
shadowColor: '#000',
|
||||||
|
shadowOffset: {
|
||||||
|
width: 0,
|
||||||
|
height: 4,
|
||||||
|
},
|
||||||
|
shadowOpacity: 0.3,
|
||||||
|
shadowRadius: 8,
|
||||||
|
elevation: 8,
|
||||||
|
},
|
||||||
|
nextButton: {
|
||||||
|
// Additional styles for next button can go here
|
||||||
|
},
|
||||||
|
buttonText: {
|
||||||
|
fontSize: 16,
|
||||||
|
fontWeight: '600',
|
||||||
|
},
|
||||||
|
buttonIcon: {
|
||||||
|
marginLeft: 8,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
export default OnboardingScreen;
|
||||||
|
|
@ -607,10 +607,28 @@ const SettingsScreen: React.FC = () => {
|
||||||
<SettingItem
|
<SettingItem
|
||||||
title="Privacy Policy"
|
title="Privacy Policy"
|
||||||
description="Information about data collection and usage"
|
description="Information about data collection and usage"
|
||||||
icon="policy"
|
icon="privacy-tip"
|
||||||
renderControl={ChevronRight}
|
onPress={() => Linking.openURL('https://your-privacy-policy-url.com')}
|
||||||
onPress={() => Linking.openURL('https://github.com/Stremio/stremio-expo/blob/main/PRIVACY_POLICY.md').catch(err => console.error("Couldn't load page", err))}
|
renderControl={() => <ChevronRight />}
|
||||||
isLast={true}
|
/>
|
||||||
|
<SettingItem
|
||||||
|
title="Test Onboarding"
|
||||||
|
icon="play-circle-outline"
|
||||||
|
onPress={() => navigation.navigate('Onboarding')}
|
||||||
|
renderControl={() => <ChevronRight />}
|
||||||
|
/>
|
||||||
|
<SettingItem
|
||||||
|
title="Reset Onboarding"
|
||||||
|
icon="refresh"
|
||||||
|
onPress={async () => {
|
||||||
|
try {
|
||||||
|
await AsyncStorage.removeItem('hasCompletedOnboarding');
|
||||||
|
Alert.alert('Success', 'Onboarding has been reset. Restart the app to see the onboarding flow.');
|
||||||
|
} catch (error) {
|
||||||
|
Alert.alert('Error', 'Failed to reset onboarding.');
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
renderControl={() => <ChevronRight />}
|
||||||
/>
|
/>
|
||||||
</SettingsCard>
|
</SettingsCard>
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -1,6 +1,5 @@
|
||||||
// Export all screens from a single file
|
// Export all screens from a single file
|
||||||
export { default as HomeScreen } from './HomeScreen';
|
export { default as HomeScreen } from './HomeScreen';
|
||||||
export { default as PlayerScreen } from './PlayerScreen';
|
|
||||||
export { default as SearchScreen } from './SearchScreen';
|
export { default as SearchScreen } from './SearchScreen';
|
||||||
export { default as AddonsScreen } from './AddonsScreen';
|
export { default as AddonsScreen } from './AddonsScreen';
|
||||||
export { default as SettingsScreen } from './SettingsScreen';
|
export { default as SettingsScreen } from './SettingsScreen';
|
||||||
|
|
@ -10,4 +9,5 @@ export { default as DiscoverScreen } from './DiscoverScreen';
|
||||||
export { default as LibraryScreen } from './LibraryScreen';
|
export { default as LibraryScreen } from './LibraryScreen';
|
||||||
export { default as ShowRatingsScreen } from './ShowRatingsScreen';
|
export { default as ShowRatingsScreen } from './ShowRatingsScreen';
|
||||||
export { default as CatalogSettingsScreen } from './CatalogSettingsScreen';
|
export { default as CatalogSettingsScreen } from './CatalogSettingsScreen';
|
||||||
export { default as StreamsScreen } from './StreamsScreen';
|
export { default as StreamsScreen } from './StreamsScreen';
|
||||||
|
export { default as OnboardingScreen } from './OnboardingScreen';
|
||||||
Loading…
Reference in a new issue