81 lines
2.2 KiB
TypeScript
81 lines
2.2 KiB
TypeScript
import { useState, useEffect } from "react";
|
|
import { Alert } from "./components/alerts/Alert";
|
|
import { Grid } from "./components/grid/Grid";
|
|
import { Keyboard } from "./components/keyboard/Keyboard";
|
|
import { WinModal } from "./components/win-modal/WinModal";
|
|
import { isWordInWordList, isWinningWord, solution } from "./lib/words";
|
|
|
|
function App() {
|
|
const [guesses, setGuesses] = useState<string[]>([]);
|
|
const [currentGuess, setCurrentGuess] = useState("");
|
|
const [isGameWon, setIsGameWon] = useState(false);
|
|
const [isWinModalOpen, setIsWinModalOpen] = useState(false);
|
|
const [isWordNotFoundAlertOpen, setIsWordNotFoundAlertOpen] = useState(false);
|
|
const [isGameLost, setIsGameLost] = useState(false);
|
|
|
|
useEffect(() => {
|
|
if (isGameWon) {
|
|
setIsWinModalOpen(true);
|
|
}
|
|
}, [isGameWon]);
|
|
|
|
const onChar = (value: string) => {
|
|
if (currentGuess.length < 5 && guesses.length < 6) {
|
|
setCurrentGuess(`${currentGuess}${value}`);
|
|
}
|
|
};
|
|
|
|
const onDelete = () => {
|
|
setCurrentGuess(currentGuess.slice(0, -1));
|
|
};
|
|
|
|
const onEnter = () => {
|
|
if (!isWordInWordList(currentGuess)) {
|
|
setIsWordNotFoundAlertOpen(true);
|
|
return setTimeout(() => {
|
|
setIsWordNotFoundAlertOpen(false);
|
|
}, 2000);
|
|
}
|
|
|
|
const winningWord = isWinningWord(currentGuess);
|
|
|
|
if (currentGuess.length === 5 && guesses.length < 6 && !isGameWon) {
|
|
setGuesses([...guesses, currentGuess]);
|
|
setCurrentGuess("");
|
|
|
|
if (winningWord) {
|
|
return setIsGameWon(true);
|
|
}
|
|
|
|
if (guesses.length === 5) {
|
|
setIsGameLost(true);
|
|
return setTimeout(() => {
|
|
setIsGameLost(false);
|
|
}, 2000);
|
|
}
|
|
}
|
|
};
|
|
|
|
return (
|
|
<div className="py-8 max-w-7xl mx-auto sm:px-6 lg:px-8">
|
|
<Alert message="Word not found" isOpen={isWordNotFoundAlertOpen} />
|
|
<Alert
|
|
message={`You lost, the word was ${solution}`}
|
|
isOpen={isGameLost}
|
|
/>
|
|
<Grid guesses={guesses} currentGuess={currentGuess} />
|
|
<Keyboard
|
|
onChar={onChar}
|
|
onDelete={onDelete}
|
|
onEnter={onEnter}
|
|
guesses={guesses}
|
|
/>
|
|
<WinModal
|
|
isOpen={isWinModalOpen}
|
|
handleClose={() => setIsWinModalOpen(false)}
|
|
/>
|
|
</div>
|
|
);
|
|
}
|
|
|
|
export default App;
|