fitst commit

This commit is contained in:
Samandar Turgunboyev
2026-01-28 18:26:50 +05:00
parent 166a55b1e9
commit 124798419b
196 changed files with 26627 additions and 421 deletions

View File

@@ -0,0 +1,239 @@
import { useEffect, useRef, useState } from 'react';
import { useTranslation } from 'react-i18next';
import {
ActivityIndicator,
Animated,
Keyboard,
StyleSheet,
Text,
TextInput,
TouchableOpacity,
View,
} from 'react-native';
interface OtpFormProps {
phone?: string;
initialCode?: string;
onSubmit?: (otp: string) => void;
isLoading?: boolean;
error?: string;
onResendPress?: () => void;
resendTimer: number;
}
const ConfirmForm = ({
initialCode,
onSubmit,
isLoading = false,
error,
onResendPress,
resendTimer,
}: OtpFormProps) => {
const [otp, setOtp] = useState<string[]>(Array(4).fill(''));
const [focusedIndex, setFocusedIndex] = useState<number>(0);
const inputRefs = useRef<TextInput[]>([]);
const shakeAnimation = useRef(new Animated.Value(0)).current;
const { t } = useTranslation();
useEffect(() => {
if (error) {
Animated.sequence([
Animated.timing(shakeAnimation, { toValue: 10, duration: 50, useNativeDriver: true }),
Animated.timing(shakeAnimation, { toValue: -10, duration: 50, useNativeDriver: true }),
Animated.timing(shakeAnimation, { toValue: 10, duration: 50, useNativeDriver: true }),
Animated.timing(shakeAnimation, { toValue: 0, duration: 50, useNativeDriver: true }),
]).start();
}
}, [error]);
useEffect(() => {
if (initialCode && initialCode.length === 4 && /^\d{4}$/.test(initialCode)) {
setOtp(initialCode.split(''));
}
}, [initialCode]);
// Raqam kiritilganda yoki o'chirilganda
const handleChange = (value: string, index: number) => {
const cleanValue = value.replace(/[^0-9]/g, '');
const newOtp = [...otp];
// Agar qiymat bo'sh bo'lsa (o'chirilgan bo'lsa)
if (value === '') {
newOtp[index] = '';
setOtp(newOtp);
return;
}
// Faqat oxirgi kiritilgan raqamni olish
newOtp[index] = cleanValue.slice(-1);
setOtp(newOtp);
// Keyingi katakka o'tish
if (newOtp[index] !== '' && index < 3) {
inputRefs.current[index + 1]?.focus();
}
// Hamma raqam kiritilgan bo'lsa avtomat yuborish
const fullCode = newOtp.join('');
if (fullCode.length === 4) {
Keyboard.dismiss();
onSubmit?.(fullCode);
}
};
// Maxsus tugmalar (Backspace) uchun
const handleKeyPress = ({ nativeEvent }: any, index: number) => {
if (nativeEvent.key === 'Backspace') {
// Agar katakda raqam bo'lsa, uni o'chiradi
if (otp[index] !== '') {
const newOtp = [...otp];
newOtp[index] = '';
setOtp(newOtp);
}
// Agar katak bo'sh bo'lsa, oldingisiga o'tib uni ham o'chiradi
else if (index > 0) {
const newOtp = [...otp];
newOtp[index - 1] = '';
setOtp(newOtp);
inputRefs.current[index - 1]?.focus();
}
}
};
return (
<View style={styles.container}>
<Animated.View style={[styles.otpContainer, { transform: [{ translateX: shakeAnimation }] }]}>
{otp.map((digit, index) => (
<TouchableOpacity
key={index}
activeOpacity={1}
onPress={() => inputRefs.current[index]?.focus()}
style={[
styles.inputBox,
focusedIndex === index && styles.inputBoxFocused,
digit !== '' && styles.inputBoxFilled,
error ? styles.inputBoxError : null,
]}
>
<Text style={[styles.inputText, digit === '' && styles.placeholderText]}>
{digit || '•'}
</Text>
<TextInput
ref={(ref) => {
if (ref) inputRefs.current[index] = ref;
}}
value={digit}
onChangeText={(v) => handleChange(v, index)}
onKeyPress={(e) => handleKeyPress(e, index)}
onFocus={() => setFocusedIndex(index)}
onBlur={() => setFocusedIndex(-1)}
keyboardType="number-pad"
maxLength={1}
style={styles.hiddenInput}
caretHidden
selectTextOnFocus // Bu 2 marta bosish muammosini oldini olishga yordam beradi
/>
</TouchableOpacity>
))}
</Animated.View>
{error && <Text style={styles.errorText}>{error}</Text>}
<TouchableOpacity
onPress={() => onSubmit?.(otp.join(''))}
disabled={isLoading || otp.join('').length !== 4}
activeOpacity={0.8}
style={[
styles.submitButton,
(isLoading || otp.join('').length !== 4) && styles.submitButtonDisabled,
]}
>
{isLoading ? (
<ActivityIndicator color="#fff" size="small" />
) : (
<Text style={styles.submitText}>{t('Kodni tasdiqlash')}</Text>
)}
</TouchableOpacity>
<View style={styles.resendContainer}>
{resendTimer > 0 ? (
<Text style={styles.timerText}>
{t('Qayta yuborish vaqti')}: <Text style={styles.timerCount}>{resendTimer}s</Text>
</Text>
) : (
<TouchableOpacity onPress={onResendPress} style={styles.resendButton}>
<Text style={styles.resendText}>{t('Kodni qayta yuborish')}</Text>
</TouchableOpacity>
)}
</View>
</View>
);
};
const styles = StyleSheet.create({
container: { width: '100%', paddingVertical: 10 },
otpContainer: {
flexDirection: 'row',
justifyContent: 'space-between',
marginBottom: 20,
paddingHorizontal: 5,
},
inputBox: {
width: 60,
height: 65,
borderRadius: 16,
borderWidth: 1.5,
borderColor: '#E2E8F0',
backgroundColor: '#F8FAFC',
alignItems: 'center',
justifyContent: 'center',
elevation: 1,
},
inputBoxFocused: {
borderColor: '#3B82F6',
backgroundColor: '#FFFFFF',
borderWidth: 2,
elevation: 4,
},
inputBoxFilled: {
borderColor: '#3B82F6',
backgroundColor: '#FFFFFF',
},
inputBoxError: {
borderColor: '#EF4444',
backgroundColor: '#FFF1F2',
},
inputText: { fontSize: 26, fontWeight: '700', color: '#1E293B' },
placeholderText: { color: '#CBD5E1', fontSize: 18 },
hiddenInput: { position: 'absolute', width: '100%', height: '100%', opacity: 0 },
errorText: {
color: '#EF4444',
fontSize: 14,
textAlign: 'center',
marginBottom: 20,
fontWeight: '500',
},
submitButton: {
height: 56,
backgroundColor: '#3B82F6',
borderRadius: 16,
alignItems: 'center',
justifyContent: 'center',
elevation: 3,
},
submitButtonDisabled: { backgroundColor: '#94A3B8', elevation: 0 },
submitText: { color: '#FFFFFF', fontSize: 16, fontWeight: '600' },
resendContainer: { alignItems: 'center', marginTop: 25 },
timerText: { color: '#64748B', fontSize: 14 },
timerCount: { color: '#1E293B', fontWeight: '700' },
resendButton: { paddingVertical: 5 },
resendText: {
color: '#3B82F6',
fontSize: 15,
fontWeight: '600',
textDecorationLine: 'underline',
},
});
export default ConfirmForm;

View File

@@ -0,0 +1,324 @@
import { useAuth } from '@/components/AuthProvider';
import AuthHeader from '@/components/ui/AuthHeader';
import AsyncStorage from '@react-native-async-storage/async-storage';
import { useMutation } from '@tanstack/react-query';
import * as Haptics from 'expo-haptics';
import { LinearGradient } from 'expo-linear-gradient';
import { Redirect, useRouter } from 'expo-router';
import { ArrowLeft, MessageCircle, ShieldCheck } from 'lucide-react-native';
import { useEffect, useState } from 'react';
import { useTranslation } from 'react-i18next';
import {
Alert,
Linking,
Platform,
StyleSheet,
Text,
ToastAndroid,
TouchableOpacity,
View,
} from 'react-native';
import { KeyboardAwareScrollView } from 'react-native-keyboard-aware-scroll-view';
import { SafeAreaView } from 'react-native-safe-area-context';
import { auth_api } from '../login/lib/api';
import ConfirmForm from './ConfirmForm';
const ConfirmScreen = () => {
const router = useRouter();
const [phoneOTP, setPhone] = useState<string | null>('');
const [error, setError] = useState<string>('');
const { login } = useAuth();
const [resendTimer, setResendTimer] = useState<number>(60);
const { t } = useTranslation();
useEffect(() => {
const loadPhone = async () => {
try {
const storedPhone = await AsyncStorage.getItem('phone');
if (storedPhone) setPhone(storedPhone);
else setPhone(null);
} catch (error) {
console.log('AsyncStorage error:', error);
}
};
loadPhone();
}, []);
useEffect(() => {
if (resendTimer === 0) return;
const timer = setTimeout(() => {
setResendTimer((prev) => prev - 1);
}, 1000);
return () => clearTimeout(timer);
}, [resendTimer]);
const { mutate, isPending } = useMutation({
mutationFn: (body: { code: string; phone: string }) => auth_api.verify_otp(body),
onSuccess: async (res) => {
await AsyncStorage.removeItem('phone');
await AsyncStorage.setItem('access_token', res.data.data.token.access);
await login(res.data.data.token.access);
await AsyncStorage.setItem('refresh_token', res.data.data.token.refresh);
router.replace('/(dashboard)');
},
onError: (err: any) => {
const errorMessage = err?.response?.data?.data?.detail || t("Kod noto'g'ri kiritildi");
Alert.alert(t('Xatolik yuz berdi'), errorMessage);
setError(errorMessage);
},
});
const resendMutation = useMutation({
mutationFn: async (body: { phone: string }) => auth_api.resend_otp(body),
onSuccess: () => {
Haptics.notificationAsync(Haptics.NotificationFeedbackType.Success);
setResendTimer(60);
if (Platform.OS === 'android') {
ToastAndroid.show(t('Kod qayta yuborildi'), ToastAndroid.SHORT);
}
},
onError: () => {
Alert.alert(t('Xatolik yuz berdi'), t('Kodni qayta yuborishda xatolik yuz berdi'));
},
});
const openBotLink = () => {
const linkApp = `tg://resolve?domain=infotargetbot&start=register_${phoneOTP}`;
Linking.openURL(linkApp).catch(() => {
const webLink = `https://t.me/infotargetbot?start=register_${phoneOTP}`;
Linking.openURL(webLink);
});
};
if (phoneOTP === null) {
return <Redirect href={'/'} />;
}
return (
<View style={styles.container}>
<LinearGradient
colors={['#0f172a', '#1e293b', '#334155']}
start={{ x: 0, y: 0 }}
end={{ x: 1, y: 1 }}
style={StyleSheet.absoluteFill}
/>
<View style={styles.decorCircle1} />
<View style={styles.decorCircle2} />
<AuthHeader />
<SafeAreaView style={{ flex: 1 }}>
<KeyboardAwareScrollView
contentContainerStyle={styles.scrollContent}
showsVerticalScrollIndicator={false}
keyboardShouldPersistTaps="handled"
>
<View style={styles.header}>
<View style={styles.iconContainer}>
<LinearGradient colors={['#3b82f6', '#2563eb']} style={styles.iconGradient}>
<ShieldCheck size={32} color="#ffffff" strokeWidth={2.2} />
</LinearGradient>
</View>
<Text style={styles.title}>{t('Kodni tasdiqlash')}</Text>
<Text style={styles.subtitle}>
{t("Tasdiqlash kodi sizning Telegram botingizga yuboriladi. Botni ko'rish")}
</Text>
<View style={styles.phoneBadge}>
<Text style={styles.phoneText}>+{phoneOTP}</Text>
</View>
{/* Telegram Button */}
<TouchableOpacity
style={styles.telegramBanner}
onPress={openBotLink}
activeOpacity={0.8}
>
<LinearGradient
colors={['#0088cc', '#00a2ed']}
style={styles.telegramGradient}
start={{ x: 0, y: 0 }}
end={{ x: 1, y: 0 }}
>
<View style={styles.botIconCircle}>
<MessageCircle size={20} color="#0088cc" fill="#fff" />
</View>
<View style={{ flex: 1 }}>
<Text style={styles.telegramTitle}>{t('Botni ochish')}</Text>
<Text style={styles.telegramSub}>
{t('Telegram botni ochish uchun tugmani bosing va kodni oling')}
</Text>
</View>
<ArrowLeft size={20} color="#fff" style={{ transform: [{ rotate: '180deg' }] }} />
</LinearGradient>
</TouchableOpacity>
</View>
<View style={styles.card}>
<ConfirmForm
onSubmit={(otp) => mutate({ code: otp, phone: phoneOTP || '' })}
isLoading={isPending}
error={error}
onResendPress={() => resendMutation.mutate({ phone: phoneOTP || '' })}
resendTimer={resendTimer}
/>
</View>
{/* <View style={styles.infoBox}>
<Text style={styles.infoText}>
<Text style={{ fontWeight: '700' }}>Eslatma:</Text> Kod SMS orqali kelmaydi. Agar
botni ishga tushirmagan bo'lsangiz, yuqoridagi tugmani bosing.
</Text>
</View> */}
</KeyboardAwareScrollView>
</SafeAreaView>
</View>
);
};
const styles = StyleSheet.create({
container: { flex: 1, backgroundColor: '#0f172a' },
scrollContent: {
paddingHorizontal: 24,
paddingBottom: 40,
flexGrow: 1,
justifyContent: 'center',
},
languageHeader: {
flexDirection: 'row',
justifyContent: 'space-between',
paddingHorizontal: 24,
paddingVertical: 12,
zIndex: 1000,
},
backButton: {
width: 44,
height: 44,
backgroundColor: 'rgba(255, 255, 255, 0.1)',
borderRadius: 12,
alignItems: 'center',
justifyContent: 'center',
borderWidth: 1,
borderColor: 'rgba(255, 255, 255, 0.15)',
},
languageButton: {
flexDirection: 'row',
alignItems: 'center',
gap: 8,
backgroundColor: 'rgba(255, 255, 255, 0.1)',
paddingHorizontal: 16,
paddingVertical: 10,
borderRadius: 12,
borderWidth: 1,
borderColor: 'rgba(255, 255, 255, 0.15)',
},
languageText: { fontSize: 14, fontWeight: '600', color: '#94a3b8' },
header: { alignItems: 'center', marginBottom: 24 },
iconContainer: { marginBottom: 20 },
iconGradient: {
width: 72,
height: 72,
borderRadius: 22,
alignItems: 'center',
justifyContent: 'center',
elevation: 8,
shadowColor: '#3b82f6',
shadowOpacity: 0.4,
shadowRadius: 12,
},
title: { fontSize: 28, fontWeight: '800', color: '#ffffff', marginBottom: 8 },
subtitle: {
fontSize: 15,
color: '#94a3b8',
textAlign: 'center',
lineHeight: 22,
paddingHorizontal: 20,
},
highlightText: { color: '#38bdf8', fontWeight: '700' },
phoneBadge: {
marginTop: 16,
backgroundColor: 'rgba(59, 130, 246, 0.1)',
paddingHorizontal: 16,
paddingVertical: 8,
borderRadius: 12,
borderWidth: 1,
borderColor: 'rgba(59, 130, 246, 0.2)',
},
phoneText: { color: '#60a5fa', fontWeight: '700', fontSize: 16 },
telegramBanner: {
marginTop: 24,
width: '100%',
borderRadius: 18,
overflow: 'hidden',
elevation: 6,
shadowColor: '#0088cc',
shadowOpacity: 0.3,
shadowRadius: 10,
},
telegramGradient: { flexDirection: 'row', alignItems: 'center', padding: 14, gap: 12 },
botIconCircle: {
width: 40,
height: 40,
borderRadius: 20,
backgroundColor: '#fff',
alignItems: 'center',
justifyContent: 'center',
},
telegramTitle: { color: '#ffffff', fontSize: 16, fontWeight: '700' },
telegramSub: { color: 'rgba(255, 255, 255, 0.8)', fontSize: 12 },
card: {
backgroundColor: '#ffffff',
borderRadius: 28,
padding: 24,
elevation: 10,
shadowColor: '#000',
shadowOpacity: 0.2,
shadowRadius: 15,
},
infoBox: {
marginTop: 20,
padding: 16,
backgroundColor: 'rgba(245, 158, 11, 0.08)',
borderRadius: 16,
borderWidth: 1,
borderColor: 'rgba(245, 158, 11, 0.2)',
},
infoText: { fontSize: 13, color: '#fbbf24', textAlign: 'center', lineHeight: 20 },
dropdown: {
position: 'absolute',
top: 55,
right: 0,
backgroundColor: '#fff',
borderRadius: 16,
padding: 8,
minWidth: 170,
elevation: 10,
zIndex: 2000,
},
dropdownOption: { padding: 12, borderRadius: 10 },
dropdownOptionActive: { backgroundColor: '#eff6ff' },
dropdownOptionText: { fontSize: 14, color: '#475569', fontWeight: '600' },
dropdownOptionTextActive: { color: '#3b82f6' },
decorCircle1: {
position: 'absolute',
top: -100,
right: -80,
width: 300,
height: 300,
borderRadius: 150,
backgroundColor: 'rgba(59, 130, 246, 0.1)',
},
decorCircle2: {
position: 'absolute',
bottom: -50,
left: -100,
width: 250,
height: 250,
borderRadius: 125,
backgroundColor: 'rgba(59, 130, 246, 0.05)',
},
});
export default ConfirmScreen;