Let’s make the game feel real — blocks will now fall automatically using requestAnimationFrame
.
- Use
requestAnimationFrame
to triggermoveDown
based on delta time - Sync updates with the browser’s frame rendering
- Enable Play/Pause logic using Redux
Update your Controls.js
imports:
import React, { useEffect, useRef } from 'react';
import { useSelector, useDispatch } from 'react-redux';
import { moveDown, moveLeft, moveRight, rotate } from '../features/gameSlice';
Inside the Controls
component:
const dispatch = useDispatch();
const { isRunning, speed } = useSelector((state) => state);
// Track animation frame timing
const requestRef = useRef();
const lastUpdateTimeRef = useRef(0);
const progressTimeRef = useRef(0);
Add this inside Controls
, before the return
:
const update = (time) => {
requestRef.current = requestAnimationFrame(update);
if (!isRunning) return;
if (!lastUpdateTimeRef.current) {
lastUpdateTimeRef.current = time;
}
const deltaTime = time - lastUpdateTimeRef.current;
progressTimeRef.current += deltaTime;
if (progressTimeRef.current > speed) {
dispatch(moveDown());
progressTimeRef.current = 0;
}
lastUpdateTimeRef.current = time;
};
✅ This tracks time and triggers moveDown()
only when enough time has passed (based on speed
from Redux).
Still inside Controls.js
:
useEffect(() => {
requestRef.current = requestAnimationFrame(update);
return () => cancelAnimationFrame(requestRef.current);
}, [isRunning]);
✅ The game now automatically moves blocks downward — and stops if paused.
Open gameSlice.js
and update the reducer:
pause: (state) => {
state.isRunning = false;
return state;
},
resume: (state) => {
state.isRunning = true;
return state;
},
✅ Your existing Play/Pause button now controls the timer and gameplay.
You should see blocks fall at 1-second intervals and stop when paused:
- Adjust the
speed
value indefaultState()
to200
for faster drops - Log
deltaTime
to the console to see how long each frame takes
"What’s the difference between
setInterval
andrequestAnimationFrame
?"
"Why does changing a
useRef
value not cause a re-render?"
"How could this game speed up over time?"
"Is there a useTimer or useInterval hook? if not how could I write one for myself?"
"What is stale closure, and how might that affect this app?"
- Why do we reset
progressTimeRef.current
after dispatching? - What happens if you forget to cancel
requestAnimationFrame
? - What’s the benefit of using delta time?
git add .
git commit -m "timer created"
git push