Relationship component really close to just working really well

This commit is contained in:
Gabriel Brown 2024-10-12 21:55:48 -05:00
parent 56206c1665
commit fc1975fd74
11 changed files with 453 additions and 78 deletions

0
assets/fonts/SpaceMono-Regular.ttf Executable file → Normal file
View File

View File

@ -7,6 +7,16 @@ import * as Notifications from 'expo-notifications';
import Constants from 'expo-constants'; import Constants from 'expo-constants';
import { saveUserData } from '@/components/services/securestorage/UserData'; import { saveUserData } from '@/components/services/securestorage/UserData';
type UserData = {
id: number;
appleId: string | null;
appleEmail: string | null;
fullName: string;
pfpURL: string | null;
pushToken: string;
createdAt: Date;
};
export default function SignInScreen({ onSignIn }: { onSignIn: () => void }) { export default function SignInScreen({ onSignIn }: { onSignIn: () => void }) {
const scheme = useColorScheme() ?? 'light'; const scheme = useColorScheme() ?? 'light';
@ -38,6 +48,7 @@ export default function SignInScreen({ onSignIn }: { onSignIn: () => void }) {
'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '', 'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '',
}, },
}); });
console.log('checkUserResponse:', checkUserResponse);
if (checkUserResponse.status === 404) { if (checkUserResponse.status === 404) {
if (!credential.user || !credential.email || !credential.fullName?.givenName if (!credential.user || !credential.email || !credential.fullName?.givenName
@ -64,7 +75,7 @@ export default function SignInScreen({ onSignIn }: { onSignIn: () => void }) {
console.error('API Error:', response.status, errorBody); console.error('API Error:', response.status, errorBody);
throw new Error(`Failed to create user: ${response.status} ${errorBody}`); throw new Error(`Failed to create user: ${response.status} ${errorBody}`);
} }
const userData = await response.json(); const userData: UserData = await response.json() as UserData;
await saveUserData(userData); await saveUserData(userData);
} else if (checkUserResponse.ok) { } else if (checkUserResponse.ok) {
const userData = await checkUserResponse.json(); const userData = await checkUserResponse.json();

View File

@ -1,18 +1,20 @@
import React, { useEffect, useState } from 'react'; import React, { useEffect, useState } from 'react';
import { Image, StyleSheet, Alert } from 'react-native'; import { Image, StyleSheet, AppState } from 'react-native';
import { ThemedView } from '@/components/ThemedView'; import { ThemedView } from '@/components/ThemedView';
import { ThemedText } from '@/components/ThemedText'; import { ThemedText } from '@/components/ThemedText';
import { getUserData } from '@/components/services/securestorage/UserData'; import { getUserData } from '@/components/services/securestorage/UserData';
import { saveRelationshipData, getRelationshipData } from '@/components/services/securestorage/RelationshipData';
import Button from '@/components/buttons/Button'; import Button from '@/components/buttons/Button';
import { Colors } from '@/constants/Colors'; import { Colors } from '@/constants/Colors';
import { useColorScheme } from '@/hooks/useColorScheme'; import { useColorScheme } from '@/hooks/useColorScheme';
import RequestRelationship from '@/components/home/RequestRelationship';
type Partner = { type UserData = {
id: number; id: number;
appleId: string; appleId: string | null;
appleEmail: string; appleEmail: string | null;
fullName: string; fullName: string;
pfpURL: string; pfpURL: string | null;
pushToken: string; pushToken: string;
createdAt: Date; createdAt: Date;
}; };
@ -25,16 +27,9 @@ type Relationship = {
createdAt: Date; createdAt: Date;
}; };
type RelationshipStatus = { type RelationshipData = {
relationship: Relationship | null; relationship: Relationship;
partner: Partner | null; partner: UserData;
};
type UserData = {
fullName: string;
appleEmail: string;
appleId: string;
pfpURL: string;
}; };
type RelationshipProps = { type RelationshipProps = {
@ -43,12 +38,19 @@ type RelationshipProps = {
const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => { const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => {
const scheme = useColorScheme() ?? 'light'; const scheme = useColorScheme() ?? 'light';
const [status, setStatus] = useState<RelationshipStatus | null>(null); const [status, setStatus] = useState<RelationshipData | null>(null);
const [userData, setUserData] = useState<UserData | null>(null); const [userData, setUserData] = useState<UserData | null>(null);
const [showRequestRelationship, setShowRequestRelationship] = useState(false);
const [loading, setLoading] = useState(true); const [loading, setLoading] = useState(true);
const handleRequestSent = (data: RelationshipData) => {
setStatus(data);
setShowRequestRelationship(false);
};
useEffect(() => { useEffect(() => {
fetchRelationshipStatus(); fetchRelationshipStatus();
setupPeriodicCheck();
}, []); }, []);
useEffect(() => { useEffect(() => {
@ -57,15 +59,73 @@ const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => {
} }
}, [profilePictureUrl]); }, [profilePictureUrl]);
const setupPeriodicCheck = () => {
let intervalId: NodeJS.Timeout | null = null;
const startChecking = () => {
checkRelationshipStatus();
intervalId = setInterval(checkRelationshipStatus, 600000); //
};
const stopChecking = () => {
if (intervalId) {
clearInterval(intervalId);
intervalId = null;
}
};
const handleAppStateChange = (nextAppState: string) => {
if (nextAppState === 'active') {
startChecking();
} else {
stopChecking();
}
};
const subscription = AppState.addEventListener('change', handleAppStateChange);
if (AppState.currentState === 'active') {
startChecking();
}
return () => {
stopChecking();
subscription.remove();
};
};
const fetchRelationshipStatus = async () => { const fetchRelationshipStatus = async () => {
setLoading(true);
try { try {
const userDataFromStorage: UserData = await getUserData(); const userDataFromStorage: UserData = await getUserData() as UserData;
if (!userDataFromStorage || !userDataFromStorage.appleId) { if (!userDataFromStorage || !userDataFromStorage.id) {
throw new Error('User data not found'); throw new Error('User data not found');
} }
setUserData(userDataFromStorage); setUserData(userDataFromStorage);
const response = await fetch(`${process.env.EXPO_PUBLIC_API_URL}/relationships/checkStatusByAppleId?appleId=${userDataFromStorage.appleId}`, { // First, try to get relationship data from SecureStore
const storedRelationshipData = await getRelationshipData();
if (storedRelationshipData) {
setStatus(storedRelationshipData);
}
// Then, fetch the latest data from the API
await checkRelationshipStatus();
} catch (error) {
console.log('Error fetching relationship status:', error);
} finally {
setLoading(false);
}
};
const checkRelationshipStatus = async () => {
try {
const userDataFromStorage: UserData = await getUserData() as UserData;
if (!userDataFromStorage || !userDataFromStorage.id) {
throw new Error('User data not found');
}
const response = await fetch(`${process.env.EXPO_PUBLIC_API_URL}/relationships/getRelationshipData?userId=${userDataFromStorage.id}`, {
headers: { headers: {
'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '', 'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '',
}, },
@ -73,42 +133,104 @@ const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => {
if (!response.ok) { if (!response.ok) {
const errorData = await response.json(); const errorData = await response.json();
throw new Error(errorData.message || 'Failed to fetch relationship status'); throw new Error(errorData.message || `HTTP error! status: ${response.status}`);
} }
const data = await response.json() as RelationshipData;
const data = await response.json();
setStatus(data); setStatus(data);
await saveRelationshipData(data);
} catch (error) { } catch (error) {
console.error('Error fetching relationship status:', error); console.log('No relationship found or error checking status:', error);
setStatus(null);
} finally { } finally {
setLoading(false);
} }
}; };
const handleUpdateRelationshipStatus = async (newStatus: 'accepted' | 'rejected') => {
if (!status || !status.relationship) {
console.error('No relationship to update');
return;
}
try {
const response = await fetch(`${process.env.EXPO_PUBLIC_API_URL}/relationships/updateStatus`, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '',
},
body: JSON.stringify({
relationshipId: status.relationship.id,
status: newStatus,
}),
});
if (!response.ok) {
const errorData = await response.json();
throw new Error(errorData.message || `HTTP error! status: ${response.status}`);
}
const result = await response.json();
if (result) {
// Refresh the relationship status
await checkRelationshipStatus();
} else {
throw new Error('Failed to update relationship status');
}
} catch (error) {
console.error('Error updating relationship status:', error);
}
};
const handleAcceptRequest = () => handleUpdateRelationshipStatus('accepted');
const handleRejectRequest = () => handleUpdateRelationshipStatus('rejected');
if (loading) { if (loading) {
return <ThemedText>Loading...</ThemedText>; return <ThemedText>Loading...</ThemedText>;
} }
const renderRelationshipContent = () => {
if (!status || !status.relationship?.id) { if (!status || !status.relationship) {
return ( // Case 1: Not in a relationship
<ThemedView style={styles.container}> return showRequestRelationship ? (
<Button width={220} height={60} onPress={() => {/* Implement request functionality */}}> <RequestRelationship onRequestSent={handleRequestSent} />
<ThemedText ) : (
style={[ <Button width={220} height={60} onPress={() => setShowRequestRelationship(true)}>
styles.buttonText, <ThemedText style={[styles.buttonLabel, {color: Colors[scheme].background}]}>
{color: Colors[scheme].background}
]}
>
Request Relationship Request Relationship
</ThemedText> </ThemedText>
</Button> </Button>
</ThemedView>
); );
} } else if (status.relationship.status === 'pending') {
// Case 2 & 3: Pending relationship (we can't differentiate who requested it)
return ( return (
<ThemedView style={styles.container}> <>
<ThemedText style={styles.title}>{status?.relationship?.title}</ThemedText> <ThemedText style={styles.title}>Pending Relationship</ThemedText>
<ThemedView style={styles.profileContainer}>
<ThemedView style={styles.profileWrapper}>
<Image
source={{ uri: `${process.env.EXPO_PUBLIC_URL}${status.partner.pfpURL}` }}
style={styles.profilePicture}
/>
<ThemedText style={styles.name}>{status.partner.fullName}</ThemedText>
</ThemedView>
</ThemedView>
<ThemedView style={styles.buttonContainer}>
<Button width={100} height={40} onPress={handleAcceptRequest}>
<ThemedText style={[styles.buttonLabel, {color: Colors[scheme].background}]}>
Accept
</ThemedText>
</Button>
<Button width={100} height={40} onPress={handleRejectRequest}>
<ThemedText style={[styles.buttonLabel, {color: Colors[scheme].background}]}>
Reject
</ThemedText>
</Button>
</ThemedView>
</>
);
} else if (status.relationship.status === 'accepted') {
// Case 4: In an accepted relationship
return (
<>
<ThemedText style={styles.title}>{status.relationship.title}</ThemedText>
<ThemedView style={styles.profileContainer}> <ThemedView style={styles.profileContainer}>
{userData && ( {userData && (
<ThemedView style={styles.profileWrapper}> <ThemedView style={styles.profileWrapper}>
@ -119,7 +241,7 @@ const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => {
<ThemedText style={styles.name}>{userData.fullName.split(' ')[0]}</ThemedText> <ThemedText style={styles.name}>{userData.fullName.split(' ')[0]}</ThemedText>
</ThemedView> </ThemedView>
)} )}
{status?.partner && ( {status.partner && (
<ThemedView style={styles.profileWrapper}> <ThemedView style={styles.profileWrapper}>
<Image <Image
source={{ uri: `${process.env.EXPO_PUBLIC_URL}${status.partner.pfpURL}` }} source={{ uri: `${process.env.EXPO_PUBLIC_URL}${status.partner.pfpURL}` }}
@ -129,6 +251,14 @@ const Relationships: React.FC<RelationshipProps> = ({ profilePictureUrl }) => {
</ThemedView> </ThemedView>
)} )}
</ThemedView> </ThemedView>
</>
);
}
};
return (
<ThemedView style={styles.container}>
{renderRelationshipContent()}
</ThemedView> </ThemedView>
); );
}; };
@ -164,9 +294,19 @@ const styles = StyleSheet.create({
fontSize: 12, fontSize: 12,
fontWeight: 'bold', fontWeight: 'bold',
}, },
buttonText: { buttonLabel: {
fontSize: 16, fontSize: 16,
}, },
lastChecked: {
fontSize: 12,
marginBottom: 10,
},
buttonContainer: {
flexDirection: 'row',
justifyContent: 'space-around',
width: '100%',
marginTop: 20,
},
}); });
export default Relationships; export default Relationships;

View File

@ -0,0 +1,148 @@
import React, { useState, useCallback, useEffect } from 'react';
import {TextInput, FlatList, TouchableOpacity, StyleSheet, ActivityIndicator } from 'react-native';
import { ThemedView } from '@/components/ThemedView';
import { ThemedText } from '@/components/ThemedText';
import { getUserData } from '@/components/services/securestorage/UserData';
import { Colors } from '@/constants/Colors';
import { useColorScheme } from '@/hooks/useColorScheme';
import debounce from 'lodash.debounce';
type UserData = {
id: number;
appleId: string | null;
appleEmail: string | null;
fullName: string;
pfpURL: string | null;
pushToken: string;
createdAt: Date;
};
type RelationshipData = {
relationship: {
id: number;
title: string;
status: "pending" | "accepted" | "rejected";
relationshipStartDate: Date;
createdAt: Date;
};
partner: UserData;
};
const RequestRelationship: React.FC<{ onRequestSent: (data: RelationshipData) => void }> = ({ onRequestSent }) => {
const scheme = useColorScheme() ?? 'light';
const [searchTerm, setSearchTerm] = useState('');
const [searchResults, setSearchResults] = useState<UserData[]>([]);
const [isLoading, setIsLoading] = useState(false);
const [currentUserId, setCurrentUserId] = useState<number | null>(null);
useEffect(() => {
const fetchCurrentUser = async () => {
const userData = await getUserData();
if (userData) {
setCurrentUserId(userData.id);
}
};
fetchCurrentUser();
}, []);
const searchUsers = useCallback(
debounce(async (term: string) => {
if (term.length < 3) {
setSearchResults([]);
return;
}
setIsLoading(true);
try {
const response = await fetch(`${process.env.EXPO_PUBLIC_API_URL}/users/getUserByName?usersName=${encodeURIComponent(term)}`, {
headers: {
'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '',
},
});
if (!response.ok) throw new Error('Search failed');
const data = await response.json();
setSearchResults(data);
} catch (error) {
console.error('Error searching users:', error);
} finally {
setIsLoading(false);
}
}, 300),
[]
);
const handleSearch = (text: string) => {
setSearchTerm(text);
searchUsers(text);
};
const sendRequest = async (targetUserId: number) => {
if (!currentUserId) return;
try {
const response = await fetch(`${process.env.EXPO_PUBLIC_API_URL}/relationships/createRequest`, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'x-api-key': process.env.EXPO_PUBLIC_API_KEY ?? '',
},
body: JSON.stringify({ userId: currentUserId, targetUserId }),
});
if (!response.ok) throw new Error('Request failed');
const data: RelationshipData = await response.json();
onRequestSent(data);
} catch (error) {
console.error('Error sending relationship request:', error);
}
};
const renderUserItem = ({ item }: { item: UserData }) => (
<TouchableOpacity style={styles.userItem} onPress={() => sendRequest(item.id)}>
<ThemedText>{item.fullName}</ThemedText>
<ThemedText>{item.appleEmail}</ThemedText>
</TouchableOpacity>
);
return (
<ThemedView style={styles.container}>
<TextInput
style={[
styles.searchInput,
{color: Colors[scheme].text}
]}
placeholder="Search users..."
value={searchTerm}
onChangeText={handleSearch}
/>
{isLoading ? (
<ActivityIndicator />
) : (
<FlatList
data={searchResults}
renderItem={renderUserItem}
keyExtractor={(item) => item.id.toString()}
ListEmptyComponent={<ThemedText>No users found</ThemedText>}
/>
)}
</ThemedView>
);
};
const styles = StyleSheet.create({
container: {
flex: 1,
padding: 20,
},
searchInput: {
height: 40,
borderColor: 'gray',
borderWidth: 1,
marginBottom: 20,
paddingHorizontal: 10,
},
userItem: {
padding: 10,
borderBottomWidth: 1,
borderBottomColor: 'gray',
},
});
export default RequestRelationship;

View File

@ -7,11 +7,15 @@ import { manipulateAsync, SaveFormat } from 'expo-image-manipulator';
import * as ImagePicker from 'expo-image-picker'; import * as ImagePicker from 'expo-image-picker';
import * as FileSystem from 'expo-file-system'; import * as FileSystem from 'expo-file-system';
type UserData = { type UserData = {
id: number;
appleId: string | null;
appleEmail: string | null;
fullName: string; fullName: string;
appleEmail: string; pfpURL: string | null;
appleId: string; pushToken: string;
pfpURL: string; createdAt: Date;
}; };
type UserInfoProps = { type UserInfoProps = {
@ -24,7 +28,7 @@ const UserInfo: React.FC<UserInfoProps> = ({ onProfilePictureUpdate }) => {
useEffect(() => { useEffect(() => {
const fetchUserData = async () => { const fetchUserData = async () => {
try { try {
const data = await getUserData(); const data: UserData = await getUserData() as UserData;
setUserData(data); setUserData(data);
if (data.pfpURL) { if (data.pfpURL) {
onProfilePictureUpdate(data.pfpURL); onProfilePictureUpdate(data.pfpURL);
@ -90,7 +94,7 @@ const UserInfo: React.FC<UserInfoProps> = ({ onProfilePictureUpdate }) => {
const newPfpURL = responseData.pfpURL; const newPfpURL = responseData.pfpURL;
// Update local state // Update local state
setUserData(prevData => prevData ? {...prevData, pfpURL: newPfpURL} : null); setUserData(prevData => prevData ? {...prevData, pfpURL: newPfpURL} as UserData : null);
// Update SecureStorage // Update SecureStorage
await updateUserData({ pfpURL: newPfpURL }); await updateUserData({ pfpURL: newPfpURL });

View File

@ -0,0 +1,57 @@
import * as SecureStore from 'expo-secure-store';
type UserData = {
id: number;
appleId: string | null;
appleEmail: string | null;
fullName: string;
pfpURL: string | null;
pushToken: string;
createdAt: Date;
};
type Relationship = {
id: number;
title: string;
status: 'pending' | 'accepted' | 'rejected';
relationshipStartDate: Date;
createdAt: Date;
};
type RelationshipData = {
relationship: Relationship;
partner: UserData;
};
export const saveRelationshipData = async (RelationshipData: RelationshipData) => {
try {
await SecureStore.setItemAsync('RelationshipData', JSON.stringify(RelationshipData));
} catch (error) {
console.error('Error saving user data:', error);
}
};
export const getRelationshipData = async () => {
try {
const RelationshipData = await SecureStore.getItemAsync('RelationshipData');
return RelationshipData ? JSON.parse(RelationshipData) : null;
} catch (error) {
console.error('Error getting user data:', error);
return null;
}
};
export const updateRelationshipData = async (updatedFields: Partial<any>) => {
try {
const currentUserData: RelationshipData = await getRelationshipData() as RelationshipData;
if (currentUserData) {
const updatedUserData: RelationshipData = { ...currentUserData, ...updatedFields };
await saveRelationshipData(updatedUserData);
return updatedUserData as RelationshipData;
}
return null;
} catch (error) {
console.error('Error updating user data:', error);
return null;
}
};

View File

@ -1,6 +1,16 @@
import * as SecureStore from 'expo-secure-store'; import * as SecureStore from 'expo-secure-store';
export const saveUserData = async (userData: any) => { type UserData = {
id: number;
appleId: string | null;
appleEmail: string | null;
fullName: string;
pfpURL: string | null;
pushToken: string;
createdAt: Date;
};
export const saveUserData = async (userData: UserData) => {
try { try {
await SecureStore.setItemAsync('userData', JSON.stringify(userData)); await SecureStore.setItemAsync('userData', JSON.stringify(userData));
} catch (error) { } catch (error) {
@ -20,11 +30,11 @@ export const getUserData = async () => {
export const updateUserData = async (updatedFields: Partial<any>) => { export const updateUserData = async (updatedFields: Partial<any>) => {
try { try {
const currentUserData = await getUserData(); const currentUserData: UserData = await getUserData() as UserData;
if (currentUserData) { if (currentUserData) {
const updatedUserData = { ...currentUserData, ...updatedFields }; const updatedUserData: UserData = { ...currentUserData, ...updatedFields };
await saveUserData(updatedUserData); await saveUserData(updatedUserData);
return updatedUserData; return updatedUserData as UserData;
} }
return null; return null;
} catch (error) { } catch (error) {

0
example/assets/fonts/SpaceMono-Regular.ttf Executable file → Normal file
View File

0
example/scripts/reset-project.js Executable file → Normal file
View File

18
package-lock.json generated
View File

@ -10,12 +10,12 @@
"dependencies": { "dependencies": {
"@expo/vector-icons": "^14.0.2", "@expo/vector-icons": "^14.0.2",
"@react-navigation/native": "^6.0.2", "@react-navigation/native": "^6.0.2",
"@types/lodash.debounce": "^4.0.9",
"expo": "~51.0.28", "expo": "~51.0.28",
"expo-apple-authentication": "~6.4.2", "expo-apple-authentication": "~6.4.2",
"expo-clipboard": "~6.0.3", "expo-clipboard": "~6.0.3",
"expo-constants": "~16.0.2", "expo-constants": "~16.0.2",
"expo-device": "~6.0.2", "expo-device": "~6.0.2",
"expo-fast-image": "^1.1.3",
"expo-file-system": "~17.0.1", "expo-file-system": "~17.0.1",
"expo-font": "~12.0.9", "expo-font": "~12.0.9",
"expo-image": "~1.13.0", "expo-image": "~1.13.0",
@ -31,6 +31,7 @@
"expo-status-bar": "~1.12.1", "expo-status-bar": "~1.12.1",
"expo-system-ui": "~3.0.7", "expo-system-ui": "~3.0.7",
"expo-web-browser": "~13.0.3", "expo-web-browser": "~13.0.3",
"lodash.debounce": "^4.0.8",
"react": "18.2.0", "react": "18.2.0",
"react-dom": "18.2.0", "react-dom": "18.2.0",
"react-native": "0.74.5", "react-native": "0.74.5",
@ -7271,6 +7272,15 @@
"integrity": "sha512-YpS0zzoduEhuOWjAotS6A5AVCva7X4lVlYLF0FYHAY9sdraBfnatttHItlWeZdGhuEkf+OzMNg2ZYAx8t+52uQ==", "integrity": "sha512-YpS0zzoduEhuOWjAotS6A5AVCva7X4lVlYLF0FYHAY9sdraBfnatttHItlWeZdGhuEkf+OzMNg2ZYAx8t+52uQ==",
"license": "MIT" "license": "MIT"
}, },
"node_modules/@types/lodash.debounce": {
"version": "4.0.9",
"resolved": "https://registry.npmjs.org/@types/lodash.debounce/-/lodash.debounce-4.0.9.tgz",
"integrity": "sha512-Ma5JcgTREwpLRwMM+XwBR7DaWe96nC38uCBDFKZWbNKD+osjVzdpnUSwBcqCptrp16sSOLBAUb50Car5I0TCsQ==",
"license": "MIT",
"dependencies": {
"@types/lodash": "*"
}
},
"node_modules/@types/lodash.isequal": { "node_modules/@types/lodash.isequal": {
"version": "4.5.8", "version": "4.5.8",
"resolved": "https://registry.npmjs.org/@types/lodash.isequal/-/lodash.isequal-4.5.8.tgz", "resolved": "https://registry.npmjs.org/@types/lodash.isequal/-/lodash.isequal-4.5.8.tgz",
@ -10201,12 +10211,6 @@
"expo": "*" "expo": "*"
} }
}, },
"node_modules/expo-fast-image": {
"version": "1.1.3",
"resolved": "https://registry.npmjs.org/expo-fast-image/-/expo-fast-image-1.1.3.tgz",
"integrity": "sha512-dpHvUFJxImD+yDVJk3ubCMGSYgbewPfbsPMOpD/EP7PKDA4RurtkJZcUDF8T/0gxuxZMCldPgHup6np/hrK/MQ==",
"license": "ISC"
},
"node_modules/expo-file-system": { "node_modules/expo-file-system": {
"version": "17.0.1", "version": "17.0.1",
"resolved": "https://registry.npmjs.org/expo-file-system/-/expo-file-system-17.0.1.tgz", "resolved": "https://registry.npmjs.org/expo-file-system/-/expo-file-system-17.0.1.tgz",

View File

@ -17,12 +17,12 @@
"dependencies": { "dependencies": {
"@expo/vector-icons": "^14.0.2", "@expo/vector-icons": "^14.0.2",
"@react-navigation/native": "^6.0.2", "@react-navigation/native": "^6.0.2",
"@types/lodash.debounce": "^4.0.9",
"expo": "~51.0.28", "expo": "~51.0.28",
"expo-apple-authentication": "~6.4.2", "expo-apple-authentication": "~6.4.2",
"expo-clipboard": "~6.0.3", "expo-clipboard": "~6.0.3",
"expo-constants": "~16.0.2", "expo-constants": "~16.0.2",
"expo-device": "~6.0.2", "expo-device": "~6.0.2",
"expo-fast-image": "^1.1.3",
"expo-file-system": "~17.0.1", "expo-file-system": "~17.0.1",
"expo-font": "~12.0.9", "expo-font": "~12.0.9",
"expo-image": "~1.13.0", "expo-image": "~1.13.0",
@ -38,6 +38,7 @@
"expo-status-bar": "~1.12.1", "expo-status-bar": "~1.12.1",
"expo-system-ui": "~3.0.7", "expo-system-ui": "~3.0.7",
"expo-web-browser": "~13.0.3", "expo-web-browser": "~13.0.3",
"lodash.debounce": "^4.0.8",
"react": "18.2.0", "react": "18.2.0",
"react-dom": "18.2.0", "react-dom": "18.2.0",
"react-native": "0.74.5", "react-native": "0.74.5",