Let’s add a component to display messages like Paused and Game Over centered over the game.
- Create a
MessagePopup
component. - Use
position: absolute
to overlay it on the game. - Hide/show the popup using a
hidden
class.
Create src/components/MessagePopup.js
:
import React from 'react';
// Displays a message
export default function MessagePopup() {
return (
<div className="message-popup">
<h1>Message Title</h1>
<p>Message info...</p>
</div>
);
}
✅ You’ll style and connect it later — for now, it's just always visible.
In src/index.css
, add:
/* Message Popup Styles */
.message-popup {
position: absolute;
left: 50%;
top: 50%;
transform: translate(-50%, -50%);
width: calc(var(--tile-size) * 10);
height: calc(var(--tile-size) * 10);
background-color: rgba(255, 255, 255, 0.5);
text-align: center;
}
.message-popup.hidden {
display: none;
}
✅ You can later toggle the hidden
class dynamically to control visibility.
Update src/App.js
— add MessagePopup
at the very bottom of the layout:
import React from 'react';
import './App.css';
import GridBoard from './components/GridBoard';
import NextBlock from './components/NextBlock';
import ScoreBoard from './components/ScoreBoard';
import Controls from './components/Controls';
import MessagePopup from './components/MessagePopup';
function App() {
return (
<div className="App">
<header className="App-header">
<h1 className="App-title">Tetris Redux</h1>
</header>
<GridBoard />
<NextBlock />
<ScoreBoard />
<Controls />
<MessagePopup />
</div>
);
}
export default App;
✅ Placing it last ensures it's layered on top of the other elements.
A translucent white popup box centered in the middle of the screen:
- Add or remove the
hidden
class manually in the HTML or JS to see it disappear. - Customize the text in
<h1>
and<p>
to simulate game states.
"How could you use Redux or state to conditionally show the message popup?"
"Why does
transform: translate(-50%, -50%)
perfectly center the box?"
"How does absolute position work in CSS?"
- Why is
position: absolute
important here? - What does
.message-popup.hidden
do? - How is this component different from others that use grid layout?
git add .
git commit -m "Added initial message popup"
git push