Workout detail (workout/[id]): - Dynamic data via useLocalSearchParams + getWorkoutById - VideoPlayer hero with trainer color gradient fallback - Exercise list, equipment, music vibe, "Start Workout" CTA Player (player/[id]): - useTimer hook drives phase transitions (PREP/WORK/REST/COMPLETE) - useHaptics for phase changes and countdown ticks - useAudio for sound effects (beeps, dings, completion chime) - Real calorie tracking, progress ring, exercise display - Saves WorkoutResult to activityStore on completion Complete (complete/[id]): - Reads real stats from activityStore history - Burn bar, streak counter, calories/duration/completion stats - Recommended workouts, share via expo-sharing Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
627 lines
18 KiB
TypeScript
627 lines
18 KiB
TypeScript
/**
|
|
* TabataFit Workout Complete Screen
|
|
* Celebration with real data from activity store
|
|
*/
|
|
|
|
import { useRef, useEffect } from 'react'
|
|
import {
|
|
View,
|
|
Text as RNText,
|
|
StyleSheet,
|
|
ScrollView,
|
|
Pressable,
|
|
Animated,
|
|
Dimensions,
|
|
} from 'react-native'
|
|
import { useRouter, useLocalSearchParams } from 'expo-router'
|
|
import { useSafeAreaInsets } from 'react-native-safe-area-context'
|
|
import { LinearGradient } from 'expo-linear-gradient'
|
|
import { BlurView } from 'expo-blur'
|
|
import Ionicons from '@expo/vector-icons/Ionicons'
|
|
|
|
import * as Sharing from 'expo-sharing'
|
|
import { useHaptics } from '@/src/shared/hooks'
|
|
import { useActivityStore } from '@/src/shared/stores'
|
|
import { getWorkoutById, getTrainerById, getPopularWorkouts } from '@/src/shared/data'
|
|
|
|
import {
|
|
BRAND,
|
|
DARK,
|
|
TEXT,
|
|
GLASS,
|
|
SHADOW,
|
|
} from '@/src/shared/constants/colors'
|
|
import { TYPOGRAPHY } from '@/src/shared/constants/typography'
|
|
import { SPACING, LAYOUT } from '@/src/shared/constants/spacing'
|
|
import { RADIUS } from '@/src/shared/constants/borderRadius'
|
|
import { SPRING, EASE } from '@/src/shared/constants/animations'
|
|
|
|
const { width: SCREEN_WIDTH } = Dimensions.get('window')
|
|
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
// BUTTON COMPONENTS
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
|
|
function SecondaryButton({
|
|
onPress,
|
|
children,
|
|
icon,
|
|
}: {
|
|
onPress: () => void
|
|
children: React.ReactNode
|
|
icon?: keyof typeof Ionicons.glyphMap
|
|
}) {
|
|
const scaleAnim = useRef(new Animated.Value(1)).current
|
|
|
|
const handlePressIn = () => {
|
|
Animated.spring(scaleAnim, {
|
|
toValue: 0.97,
|
|
useNativeDriver: true,
|
|
...SPRING.SNAPPY,
|
|
}).start()
|
|
}
|
|
|
|
const handlePressOut = () => {
|
|
Animated.spring(scaleAnim, {
|
|
toValue: 1,
|
|
useNativeDriver: true,
|
|
...SPRING.SNAPPY,
|
|
}).start()
|
|
}
|
|
|
|
return (
|
|
<Pressable
|
|
onPress={onPress}
|
|
onPressIn={handlePressIn}
|
|
onPressOut={handlePressOut}
|
|
style={{ width: '100%' }}
|
|
>
|
|
<Animated.View style={[styles.secondaryButton, { transform: [{ scale: scaleAnim }] }]}>
|
|
{icon && <Ionicons name={icon} size={18} color={TEXT.PRIMARY} style={styles.buttonIcon} />}
|
|
<RNText style={styles.secondaryButtonText}>{children}</RNText>
|
|
</Animated.View>
|
|
</Pressable>
|
|
)
|
|
}
|
|
|
|
function PrimaryButton({
|
|
onPress,
|
|
children,
|
|
}: {
|
|
onPress: () => void
|
|
children: React.ReactNode
|
|
}) {
|
|
const scaleAnim = useRef(new Animated.Value(1)).current
|
|
|
|
const handlePressIn = () => {
|
|
Animated.spring(scaleAnim, {
|
|
toValue: 0.97,
|
|
useNativeDriver: true,
|
|
...SPRING.SNAPPY,
|
|
}).start()
|
|
}
|
|
|
|
const handlePressOut = () => {
|
|
Animated.spring(scaleAnim, {
|
|
toValue: 1,
|
|
useNativeDriver: true,
|
|
...SPRING.SNAPPY,
|
|
}).start()
|
|
}
|
|
|
|
return (
|
|
<Pressable
|
|
onPress={onPress}
|
|
onPressIn={handlePressIn}
|
|
onPressOut={handlePressOut}
|
|
style={{ width: '100%' }}
|
|
>
|
|
<Animated.View style={[styles.primaryButton, { transform: [{ scale: scaleAnim }] }]}>
|
|
<LinearGradient
|
|
colors={[BRAND.PRIMARY, BRAND.PRIMARY_LIGHT]}
|
|
start={{ x: 0, y: 0 }}
|
|
end={{ x: 1, y: 1 }}
|
|
style={StyleSheet.absoluteFill}
|
|
/>
|
|
<RNText style={styles.primaryButtonText}>{children}</RNText>
|
|
</Animated.View>
|
|
</Pressable>
|
|
)
|
|
}
|
|
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
// COMPONENTS
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
|
|
function CelebrationRings() {
|
|
const ring1Anim = useRef(new Animated.Value(0)).current
|
|
const ring2Anim = useRef(new Animated.Value(0)).current
|
|
const ring3Anim = useRef(new Animated.Value(0)).current
|
|
|
|
useEffect(() => {
|
|
Animated.stagger(200, [
|
|
Animated.spring(ring1Anim, {
|
|
toValue: 1,
|
|
...SPRING.BOUNCY,
|
|
useNativeDriver: true,
|
|
}),
|
|
Animated.spring(ring2Anim, {
|
|
toValue: 1,
|
|
...SPRING.BOUNCY,
|
|
useNativeDriver: true,
|
|
}),
|
|
Animated.spring(ring3Anim, {
|
|
toValue: 1,
|
|
...SPRING.BOUNCY,
|
|
useNativeDriver: true,
|
|
}),
|
|
]).start()
|
|
}, [])
|
|
|
|
return (
|
|
<View style={styles.ringsContainer}>
|
|
<Animated.View
|
|
style={[styles.ring, styles.ring1, { transform: [{ scale: ring1Anim }], opacity: ring1Anim }]}
|
|
>
|
|
<RNText style={styles.ringEmoji}>🔥</RNText>
|
|
</Animated.View>
|
|
<Animated.View
|
|
style={[styles.ring, styles.ring2, { transform: [{ scale: ring2Anim }], opacity: ring2Anim }]}
|
|
>
|
|
<RNText style={styles.ringEmoji}>💪</RNText>
|
|
</Animated.View>
|
|
<Animated.View
|
|
style={[styles.ring, styles.ring3, { transform: [{ scale: ring3Anim }], opacity: ring3Anim }]}
|
|
>
|
|
<RNText style={styles.ringEmoji}>⚡</RNText>
|
|
</Animated.View>
|
|
</View>
|
|
)
|
|
}
|
|
|
|
function StatCard({
|
|
value,
|
|
label,
|
|
icon,
|
|
delay = 0,
|
|
}: {
|
|
value: string | number
|
|
label: string
|
|
icon: keyof typeof Ionicons.glyphMap
|
|
delay?: number
|
|
}) {
|
|
const scaleAnim = useRef(new Animated.Value(0)).current
|
|
|
|
useEffect(() => {
|
|
Animated.sequence([
|
|
Animated.delay(delay),
|
|
Animated.spring(scaleAnim, {
|
|
toValue: 1,
|
|
...SPRING.BOUNCY,
|
|
useNativeDriver: true,
|
|
}),
|
|
]).start()
|
|
}, [delay])
|
|
|
|
return (
|
|
<Animated.View style={[styles.statCard, { transform: [{ scale: scaleAnim }] }]}>
|
|
<BlurView intensity={GLASS.BLUR_MEDIUM} tint="dark" style={StyleSheet.absoluteFill} />
|
|
<Ionicons name={icon} size={24} color={BRAND.PRIMARY} />
|
|
<RNText style={styles.statValue}>{value}</RNText>
|
|
<RNText style={styles.statLabel}>{label}</RNText>
|
|
</Animated.View>
|
|
)
|
|
}
|
|
|
|
function BurnBarResult({ percentile }: { percentile: number }) {
|
|
const barAnim = useRef(new Animated.Value(0)).current
|
|
|
|
useEffect(() => {
|
|
Animated.timing(barAnim, {
|
|
toValue: percentile,
|
|
duration: 1000,
|
|
easing: EASE.EASE_OUT,
|
|
useNativeDriver: false,
|
|
}).start()
|
|
}, [percentile])
|
|
|
|
const barWidth = barAnim.interpolate({
|
|
inputRange: [0, 100],
|
|
outputRange: ['0%', '100%'],
|
|
})
|
|
|
|
return (
|
|
<View style={styles.burnBarContainer}>
|
|
<RNText style={styles.burnBarTitle}>Burn Bar</RNText>
|
|
<RNText style={styles.burnBarResult}>You beat {percentile}% of users!</RNText>
|
|
<View style={styles.burnBarTrack}>
|
|
<Animated.View style={[styles.burnBarFill, { width: barWidth }]} />
|
|
</View>
|
|
</View>
|
|
)
|
|
}
|
|
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
// MAIN SCREEN
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
|
|
export default function WorkoutCompleteScreen() {
|
|
const insets = useSafeAreaInsets()
|
|
const router = useRouter()
|
|
const haptics = useHaptics()
|
|
const { id } = useLocalSearchParams<{ id: string }>()
|
|
|
|
const workout = getWorkoutById(id ?? '1')
|
|
const streak = useActivityStore((s) => s.streak)
|
|
const history = useActivityStore((s) => s.history)
|
|
const recentWorkouts = history.slice(0, 1)
|
|
|
|
// Get the most recent result for this workout
|
|
const latestResult = recentWorkouts[0]
|
|
const resultCalories = latestResult?.calories ?? workout?.calories ?? 45
|
|
const resultMinutes = latestResult?.durationMinutes ?? workout?.duration ?? 4
|
|
|
|
// Recommended workouts (different from current)
|
|
const recommended = getPopularWorkouts(4).filter(w => w.id !== id).slice(0, 3)
|
|
|
|
const handleGoHome = () => {
|
|
haptics.buttonTap()
|
|
router.replace('/(tabs)')
|
|
}
|
|
|
|
const handleShare = async () => {
|
|
haptics.selection()
|
|
const isAvailable = await Sharing.isAvailableAsync()
|
|
if (isAvailable) {
|
|
await Sharing.shareAsync('https://tabatafit.app', {
|
|
dialogTitle: `I just completed ${workout?.title ?? 'a workout'}! 🔥 ${resultCalories} calories in ${resultMinutes} minutes.`,
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleWorkoutPress = (workoutId: string) => {
|
|
haptics.buttonTap()
|
|
router.push(`/workout/${workoutId}`)
|
|
}
|
|
|
|
// Simulate percentile
|
|
const burnBarPercentile = Math.min(95, Math.max(40, Math.round((resultCalories / (workout?.calories ?? 45)) * 70)))
|
|
|
|
return (
|
|
<View style={[styles.container, { paddingTop: insets.top }]}>
|
|
<ScrollView
|
|
style={styles.scrollView}
|
|
contentContainerStyle={[styles.scrollContent, { paddingBottom: insets.bottom + 100 }]}
|
|
showsVerticalScrollIndicator={false}
|
|
>
|
|
{/* Celebration */}
|
|
<View style={styles.celebrationSection}>
|
|
<RNText style={styles.celebrationEmoji}>🎉</RNText>
|
|
<RNText style={styles.celebrationTitle}>WORKOUT COMPLETE</RNText>
|
|
<CelebrationRings />
|
|
</View>
|
|
|
|
{/* Stats Grid */}
|
|
<View style={styles.statsGrid}>
|
|
<StatCard value={resultCalories} label="CALORIES" icon="flame" delay={100} />
|
|
<StatCard value={resultMinutes} label="MINUTES" icon="time" delay={200} />
|
|
<StatCard value="100%" label="COMPLETE" icon="checkmark-circle" delay={300} />
|
|
</View>
|
|
|
|
{/* Burn Bar */}
|
|
<BurnBarResult percentile={burnBarPercentile} />
|
|
|
|
<View style={styles.divider} />
|
|
|
|
{/* Streak */}
|
|
<View style={styles.streakSection}>
|
|
<View style={styles.streakBadge}>
|
|
<Ionicons name="flame" size={32} color={BRAND.PRIMARY} />
|
|
</View>
|
|
<View style={styles.streakInfo}>
|
|
<RNText style={styles.streakTitle}>{streak.current} Day Streak!</RNText>
|
|
<RNText style={styles.streakSubtitle}>Keep the momentum going!</RNText>
|
|
</View>
|
|
</View>
|
|
|
|
<View style={styles.divider} />
|
|
|
|
{/* Share Button */}
|
|
<View style={styles.shareSection}>
|
|
<SecondaryButton onPress={handleShare} icon="share-outline">
|
|
Share Your Workout
|
|
</SecondaryButton>
|
|
</View>
|
|
|
|
<View style={styles.divider} />
|
|
|
|
{/* Recommended */}
|
|
<View style={styles.recommendedSection}>
|
|
<RNText style={styles.recommendedTitle}>Recommended Next</RNText>
|
|
<View style={styles.recommendedGrid}>
|
|
{recommended.map((w) => {
|
|
const trainer = getTrainerById(w.trainerId)
|
|
return (
|
|
<Pressable
|
|
key={w.id}
|
|
onPress={() => handleWorkoutPress(w.id)}
|
|
style={styles.recommendedCard}
|
|
>
|
|
<BlurView intensity={GLASS.BLUR_LIGHT} tint="dark" style={StyleSheet.absoluteFill} />
|
|
<View style={styles.recommendedThumb}>
|
|
<LinearGradient
|
|
colors={[trainer?.color ?? BRAND.PRIMARY, BRAND.PRIMARY_LIGHT]}
|
|
style={StyleSheet.absoluteFill}
|
|
/>
|
|
<RNText style={styles.recommendedInitial}>{trainer?.name[0] ?? 'T'}</RNText>
|
|
</View>
|
|
<RNText style={styles.recommendedTitleText} numberOfLines={1}>{w.title}</RNText>
|
|
<RNText style={styles.recommendedDurationText}>{w.duration} min</RNText>
|
|
</Pressable>
|
|
)
|
|
})}
|
|
</View>
|
|
</View>
|
|
</ScrollView>
|
|
|
|
{/* Fixed Bottom Button */}
|
|
<View style={[styles.bottomBar, { paddingBottom: insets.bottom + SPACING[4] }]}>
|
|
<BlurView intensity={GLASS.BLUR_HEAVY} tint="dark" style={StyleSheet.absoluteFill} />
|
|
<View style={styles.homeButtonContainer}>
|
|
<PrimaryButton onPress={handleGoHome}>
|
|
Back to Home
|
|
</PrimaryButton>
|
|
</View>
|
|
</View>
|
|
</View>
|
|
)
|
|
}
|
|
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
// STYLES
|
|
// ═══════════════════════════════════════════════════════════════════════════
|
|
|
|
const styles = StyleSheet.create({
|
|
container: {
|
|
flex: 1,
|
|
backgroundColor: DARK.BASE,
|
|
},
|
|
scrollView: {
|
|
flex: 1,
|
|
},
|
|
scrollContent: {
|
|
paddingHorizontal: LAYOUT.SCREEN_PADDING,
|
|
},
|
|
|
|
// Buttons
|
|
secondaryButton: {
|
|
flexDirection: 'row',
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
paddingVertical: SPACING[3],
|
|
paddingHorizontal: SPACING[4],
|
|
borderRadius: RADIUS.LG,
|
|
borderWidth: 1,
|
|
borderColor: 'rgba(255, 255, 255, 0.3)',
|
|
backgroundColor: 'transparent',
|
|
},
|
|
secondaryButtonText: {
|
|
...TYPOGRAPHY.BODY,
|
|
color: TEXT.PRIMARY,
|
|
fontWeight: '600',
|
|
},
|
|
primaryButton: {
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
paddingVertical: SPACING[4],
|
|
paddingHorizontal: SPACING[6],
|
|
borderRadius: RADIUS.LG,
|
|
overflow: 'hidden',
|
|
},
|
|
primaryButtonText: {
|
|
...TYPOGRAPHY.HEADLINE,
|
|
color: TEXT.PRIMARY,
|
|
fontWeight: '700',
|
|
},
|
|
buttonIcon: {
|
|
marginRight: SPACING[2],
|
|
},
|
|
|
|
// Celebration
|
|
celebrationSection: {
|
|
alignItems: 'center',
|
|
paddingVertical: SPACING[8],
|
|
},
|
|
celebrationEmoji: {
|
|
fontSize: 64,
|
|
marginBottom: SPACING[4],
|
|
},
|
|
celebrationTitle: {
|
|
...TYPOGRAPHY.TITLE_1,
|
|
color: TEXT.PRIMARY,
|
|
letterSpacing: 2,
|
|
},
|
|
ringsContainer: {
|
|
flexDirection: 'row',
|
|
marginTop: SPACING[6],
|
|
gap: SPACING[4],
|
|
},
|
|
ring: {
|
|
width: 64,
|
|
height: 64,
|
|
borderRadius: 32,
|
|
backgroundColor: 'rgba(255, 255, 255, 0.1)',
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
borderWidth: 2,
|
|
borderColor: 'rgba(255, 255, 255, 0.2)',
|
|
},
|
|
ring1: {
|
|
borderColor: BRAND.PRIMARY,
|
|
backgroundColor: 'rgba(255, 107, 53, 0.15)',
|
|
},
|
|
ring2: {
|
|
borderColor: '#30D158',
|
|
backgroundColor: 'rgba(48, 209, 88, 0.15)',
|
|
},
|
|
ring3: {
|
|
borderColor: '#5AC8FA',
|
|
backgroundColor: 'rgba(90, 200, 250, 0.15)',
|
|
},
|
|
ringEmoji: {
|
|
fontSize: 28,
|
|
},
|
|
|
|
// Stats Grid
|
|
statsGrid: {
|
|
flexDirection: 'row',
|
|
justifyContent: 'space-between',
|
|
marginBottom: SPACING[6],
|
|
},
|
|
statCard: {
|
|
width: (SCREEN_WIDTH - LAYOUT.SCREEN_PADDING * 2 - SPACING[4]) / 3,
|
|
padding: SPACING[3],
|
|
borderRadius: RADIUS.LG,
|
|
alignItems: 'center',
|
|
borderWidth: 1,
|
|
borderColor: 'rgba(255, 255, 255, 0.1)',
|
|
overflow: 'hidden',
|
|
},
|
|
statValue: {
|
|
...TYPOGRAPHY.TITLE_1,
|
|
color: TEXT.PRIMARY,
|
|
marginTop: SPACING[2],
|
|
},
|
|
statLabel: {
|
|
...TYPOGRAPHY.CAPTION_2,
|
|
color: TEXT.TERTIARY,
|
|
marginTop: SPACING[1],
|
|
},
|
|
|
|
// Burn Bar
|
|
burnBarContainer: {
|
|
marginBottom: SPACING[6],
|
|
},
|
|
burnBarTitle: {
|
|
...TYPOGRAPHY.HEADLINE,
|
|
color: TEXT.PRIMARY,
|
|
},
|
|
burnBarResult: {
|
|
...TYPOGRAPHY.BODY,
|
|
color: BRAND.PRIMARY,
|
|
marginTop: SPACING[1],
|
|
marginBottom: SPACING[3],
|
|
},
|
|
burnBarTrack: {
|
|
height: 8,
|
|
backgroundColor: DARK.SURFACE,
|
|
borderRadius: 4,
|
|
overflow: 'hidden',
|
|
},
|
|
burnBarFill: {
|
|
height: '100%',
|
|
backgroundColor: BRAND.PRIMARY,
|
|
borderRadius: 4,
|
|
},
|
|
|
|
// Divider
|
|
divider: {
|
|
height: 1,
|
|
backgroundColor: 'rgba(255, 255, 255, 0.1)',
|
|
marginVertical: SPACING[2],
|
|
},
|
|
|
|
// Streak
|
|
streakSection: {
|
|
flexDirection: 'row',
|
|
alignItems: 'center',
|
|
paddingVertical: SPACING[4],
|
|
gap: SPACING[4],
|
|
},
|
|
streakBadge: {
|
|
width: 64,
|
|
height: 64,
|
|
borderRadius: 32,
|
|
backgroundColor: 'rgba(255, 107, 53, 0.15)',
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
},
|
|
streakInfo: {
|
|
flex: 1,
|
|
},
|
|
streakTitle: {
|
|
...TYPOGRAPHY.TITLE_2,
|
|
color: TEXT.PRIMARY,
|
|
},
|
|
streakSubtitle: {
|
|
...TYPOGRAPHY.BODY,
|
|
color: TEXT.TERTIARY,
|
|
marginTop: SPACING[1],
|
|
},
|
|
|
|
// Share
|
|
shareSection: {
|
|
paddingVertical: SPACING[4],
|
|
alignItems: 'center',
|
|
},
|
|
|
|
// Recommended
|
|
recommendedSection: {
|
|
paddingVertical: SPACING[4],
|
|
},
|
|
recommendedTitle: {
|
|
...TYPOGRAPHY.HEADLINE,
|
|
color: TEXT.PRIMARY,
|
|
marginBottom: SPACING[4],
|
|
},
|
|
recommendedGrid: {
|
|
flexDirection: 'row',
|
|
gap: SPACING[3],
|
|
},
|
|
recommendedCard: {
|
|
flex: 1,
|
|
padding: SPACING[3],
|
|
borderRadius: RADIUS.LG,
|
|
borderWidth: 1,
|
|
borderColor: 'rgba(255, 255, 255, 0.1)',
|
|
overflow: 'hidden',
|
|
},
|
|
recommendedThumb: {
|
|
width: '100%',
|
|
aspectRatio: 1,
|
|
borderRadius: RADIUS.MD,
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
marginBottom: SPACING[2],
|
|
overflow: 'hidden',
|
|
},
|
|
recommendedInitial: {
|
|
...TYPOGRAPHY.TITLE_1,
|
|
color: TEXT.PRIMARY,
|
|
},
|
|
recommendedTitleText: {
|
|
...TYPOGRAPHY.CARD_TITLE,
|
|
color: TEXT.PRIMARY,
|
|
},
|
|
recommendedDurationText: {
|
|
...TYPOGRAPHY.CARD_METADATA,
|
|
color: TEXT.TERTIARY,
|
|
},
|
|
|
|
// Bottom Bar
|
|
bottomBar: {
|
|
position: 'absolute',
|
|
bottom: 0,
|
|
left: 0,
|
|
right: 0,
|
|
paddingHorizontal: LAYOUT.SCREEN_PADDING,
|
|
paddingTop: SPACING[4],
|
|
borderTopWidth: 1,
|
|
borderTopColor: 'rgba(255, 255, 255, 0.1)',
|
|
},
|
|
homeButtonContainer: {
|
|
height: 56,
|
|
justifyContent: 'center',
|
|
},
|
|
})
|