I have this math application that’s supposed to help me improve in my understanding of functions and their graphs but unfortunately I know but too little programming skills to help me get the job done.
I can pretty much get the screen and the grid with X and Y axis to display but when I touch my phone through Expo Go (I’m on VS Code) nothing shows (not a single point or curve).
I’ve tried ChatGPT, Copilot and bolt.new but nothing worked so far.
import React, { useState, useRef, useEffect } from 'react';
import { View, Text, StyleSheet, Dimensions, PanResponder, Alert } from 'react-native';
import { SafeAreaView } from 'react-native-safe-area-context';
import Svg, { Line, Circle } from 'react-native-svg';
import Animated, { useAnimatedStyle, withSpring, useSharedValue } from 'react-native-reanimated';
import { GestureHandlerRootView } from 'react-native-gesture-handler';
// Liste des fonctions mathématiques disponibles
const FUNCTIONS = [
{ name: 'f(x) = x', formula: (x: number) => x },
{ name: 'f(x) = -x', formula: (x: number) => -x },
{ name: 'f(x) = x²', formula: (x: number) => x * x },
{ name: 'f(x) = x³', formula: (x: number) => x * x * x },
{ name: 'f(x) = exp(x)', formula: (x: number) => Math.exp(x) },
{ name: 'f(x) = 1/x', formula: (x: number) => (x !== 0 ? 1 / x : NaN) }, // Avoid division by zero
{ name: 'f(x) = ln(x)', formula: (x: number) => (x > 0 ? Math.log(x) : NaN) }, // Avoid log of non-positive numbers
];
// Dimensions de l'écran
const { width: SCREEN_WIDTH, height: SCREEN_HEIGHT } = Dimensions.get('window');
// Paramètres pour le quadrillage
const GRID_SIZE = 20; // Nombre de lignes/colonnes dans le quadrillage
const SCALE = 40; // Échelle pour convertir les coordonnées
export default function PracticeScreen() {
// État pour les fonctions mélangées
const [shuffledFunctions, setShuffledFunctions] = useState(FUNCTIONS);
// Index de la fonction mathématique actuellement sélectionnée
const [currentFunction, setCurrentFunction] = useState(0);
// Points tracés par l'utilisateur
const [points, setPoints] = useState<{ x: number; y: number }[]>([]);
// Indique si l'utilisateur est en train de dessiner
const [drawing, setDrawing] = useState(false);
// Temps restant pour le round (en secondes)
const [timeLeft, setTimeLeft] = useState(120); // 2 minutes
// Score de l'utilisateur (utilise Reanimated pour les animations)
const score = useSharedValue(0);
const [showCorrectCurve, setShowCorrectCurve] = useState(false);
// Timer pour gérer les rounds
useEffect(() => {
const interval = setInterval(() => {
setTimeLeft((prev) => {
if (prev <= 1) {
clearInterval(interval); // Arrête le timer quand le temps est écoulé
endRound(); // Termine le round
return 0;
}
return prev - 1; // Diminue le temps restant
});
}, 1000); // Décrémente toutes les secondes
return () => clearInterval(interval); // Nettoie le timer quand le composant est démonté
}, []);
// Fonction pour terminer un round
const endRound = () => {
setShowCorrectCurve(true); // Affiche la courbe correcte
Alert.alert('Round terminé', `Votre score : ${Math.round(score.value)}`);
setPoints([]); // Réinitialise les points
setCurrentFunction((prev) => (prev + 1) % shuffledFunctions.length); // Passe à la fonction suivante
setTimeLeft(120); // Réinitialise le timer
};
// Style animé pour le score (agrandit le texte si le score est élevé)
const scoreStyle = useAnimatedStyle(() => {
return {
transform: [{ scale: withSpring(score.value > 80 ? 1.2 : 1) }],
};
});
// Gestion des interactions tactiles (PanResponder)
const panResponder = useRef(
PanResponder.create({
onStartShouldSetPanResponder: () => true, // Active le PanResponder au début du toucher
onPanResponderGrant: () => {
setDrawing(true); // Commence le dessin
setPoints([]); // Réinitialise les points pour un nouveau tracé
setShowCorrectCurve(false); // Cache la courbe correcte
},
onPanResponderMove: (_, gestureState) => {
if (drawing) {
const { moveX, moveY } = gestureState;
const canvasX = moveX - SCREEN_WIDTH / 2; // Décalage pour centrer sur l'axe X
const canvasY = SCREEN_HEIGHT / 2 - moveY; // Décalage pour centrer sur l'axe Y
const newPoint = { x: canvasX / SCALE, y: canvasY / SCALE }; // Convertit en coordonnées du graphe
setPoints((prev) => [...prev, newPoint]);
}
},
onPanResponderRelease: () => {
setDrawing(false); // Arrête le dessin
if (points.length >= 5) {
setShowCorrectCurve(true); // Affiche la courbe correcte
calculateScore(); // Calcule le score après le tracé
}
},
})
).current;
// Fonction pour calculer le score
const calculateScore = () => {
if (points.length === 0) {
score.value = 0; // No points, score is 0
return;
}
const actualPoints = points.map((p) => ({
x: p.x,
y: shuffledFunctions[currentFunction].formula(p.x),
}));
const distances = points.map((p, i) => {
const actualY = actualPoints[i]?.y; // Ensure the point exists
if (actualY === undefined || isNaN(actualY)) return Infinity; // Avoid errors
return Math.abs(p.y - actualY);
});
const avgDistance = distances.reduce((a, b) => a + b, 0) / distances.length;
const newScore = Math.max(0, 100 - avgDistance * 20);
score.value = newScore;
};
// Fonction pour dessiner le quadrillage
const renderGrid = () => {
const lines = [];
// Lignes verticales
for (let x = -GRID_SIZE; x <= GRID_SIZE; x++) {
lines.push(
<Line
key={`v-${x}`}
x1={x * SCALE + SCREEN_WIDTH / 2}
y1={0}
x2={x * SCALE + SCREEN_WIDTH / 2}
y2={SCREEN_HEIGHT}
stroke="#e0e0e0"
strokeWidth="1"
/>
);
}
// Lignes horizontales
for (let y = -GRID_SIZE; y <= GRID_SIZE; y++) {
lines.push(
<Line
key={`h-${y}`}
x1={0}
y1={y * SCALE + SCREEN_HEIGHT / 2}
x2={SCREEN_WIDTH}
y2={y * SCALE + SCREEN_HEIGHT / 2}
stroke="#e0e0e0"
strokeWidth="1"
/>
);
}
// Axe X
lines.push(
<Line
key="x-axis"
x1={0}
y1={SCREEN_HEIGHT / 2}
x2={SCREEN_WIDTH}
y2={SCREEN_HEIGHT / 2}
stroke="#ff0000"
strokeWidth="2"
/>
);
// Axe Y
lines.push(
<Line
key="y-axis"
x1={SCREEN_WIDTH / 2}
y1={0}
x2={SCREEN_WIDTH / 2}
y2={SCREEN_HEIGHT}
stroke="#ff0000"
strokeWidth="2"
/>
);
return lines;
};
// Fonction pour afficher les points tracés par l'utilisateur
const renderPoints = () => {
return points.map((point, index) => (
<Circle
key={index}
cx={point.x * SCALE + SCREEN_WIDTH / 2} // Convert to screen coordinates
cy={SCREEN_HEIGHT / 2 - point.y * SCALE} // Convert to screen coordinates
r="4" // Point size
fill="#6366f1" // Point color
/>
));
};
const renderFunctionCurve = () => {
const step = 0.1; // Step size for precision
const path: { x: number; y: number }[] = [];
for (let x = -GRID_SIZE; x <= GRID_SIZE; x += step) {
const canvasX = x * SCALE + SCREEN_WIDTH / 2;
const canvasY = SCREEN_HEIGHT / 2 - shuffledFunctions[currentFunction].formula(x) * SCALE;
path.push({ x: canvasX, y: canvasY });
}
return path.map((point, index) => {
if (index === 0) return null; // Skip the first point
const prevPoint = path[index - 1];
return (
<Line
key={`curve-${index}`}
x1={prevPoint.x}
y1={prevPoint.y}
x2={point.x}
y2={point.y}
stroke="#10b981" // Curve color
strokeWidth="2"
/>
);
});
};
console.log('Points:', points);
return (
<GestureHandlerRootView style={styles.container}>
<SafeAreaView style={styles.container}>
{/* En-tête avec le nom de la fonction, le score et le timer */}
<View style={styles.header}>
<Text style={styles.functionText}>
{shuffledFunctions[currentFunction]?.name || ''}
</Text>
<Animated.Text style={[styles.score, scoreStyle]}>
Score: {Math.round(score.value)}
</Animated.Text>
<Text style={styles.timer}>Temps restant : {timeLeft}s</Text>
</View>
{/* Zone de dessin */}
<View style={styles.canvas} {...panResponder.panHandlers}>
<Svg height="100%" width="100%">
{renderGrid()} {/* Quadrillage */}
{renderPoints()} {/* Points tracés par l'utilisateur */}
{showCorrectCurve && renderFunctionCurve()} {/* Courbe correcte */}
</Svg>
</View>
</SafeAreaView>
</GestureHandlerRootView>
);
}
// Styles pour les composants
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: '#ffffff',
},
header: {
padding: 20,
alignItems: 'center',
},
functionText: {
fontSize: 24,
fontWeight: 'bold',
color: '#000',
marginBottom: 10,
},
score: {
fontSize: 20,
color: '#6366f1',
fontWeight: 'bold',
},
timer: {
fontSize: 18,
color: '#ff0000',
marginTop: 10,
},
canvas: {
flex: 1,
backgroundColor: '#ffffff',
borderRadius: 20,
margin: 20,
overflow: 'hidden',
},
});