wordle-clone/assets/scripts/models/gamecontroller.js

104 lines
2.3 KiB
JavaScript
Raw Normal View History

export const GUESS_RESULT = {
MISS: 'm',
WIN: 'w',
FOUL: 'f'
};
2025-01-22 10:29:50 +00:00
export const MARKERS = {
MISS: 'm',
RIGHT_POS: 'g',
RIGHT_CHAR: 'y'
};
export class GameController {
constructor(wordSource) {
this._wordSource = wordSource;
this._currentWord = wordSource.getCurrentWord();
2025-01-22 10:29:50 +00:00
this._guesses = 5;
}
wordLength() {
return this._currentWord.length;
}
guesses() {
return this._guesses;
}
2025-01-22 11:04:24 +00:00
nextWord() {
if (!this._wordSource.nextWord()) {
return false;
}
this._currentWord = this._wordSource.getCurrentWord();
this._guesses = 5;
return true;
}
2025-01-22 10:29:50 +00:00
checkGuess(guess) {
if (guess.length != this._currentWord.length) {
throw Error(`Expected length to be ${this._currentWord.length} but was ${guess.length}`);
}
// Check correct placements
let guessResult;
2025-01-22 10:29:50 +00:00
let markers = new Array(guess.length);
let misses = {};
let hits = {};
if (!this._wordSource.isWord(guess)) {
return {
guessResult: GUESS_RESULT.FOUL,
};
}
2025-01-22 10:29:50 +00:00
for (let i = 0; i < guess.length; i++) {
if (guess[i] == this._currentWord[i]) {
markers[i] = MARKERS.RIGHT_POS;
hits[guess[i]] = MARKERS.RIGHT_POS;
} else {
if (this._currentWord[i] in misses) {
misses[this._currentWord[i]] += 1;
} else {
misses[this._currentWord[i]] = 1;
}
}
}
// Check words that are wrong placement but are in the word
// Distribute based on the words position
for (let i = 0; i < guess.length; i++) {
if (markers[i]) {
continue;
}
if (misses[guess[i]] && misses[guess[i]] > 0) {
misses[guess[i]] -= 1;
markers[i] = MARKERS.RIGHT_CHAR;
if (!hits[guess[i]]) {
hits[guess[i]] = MARKERS.RIGHT_CHAR;
}
} else {
if (!hits[guess[i]]) {
hits[guess[i]] = MARKERS.MISS;
}
markers[i] = MARKERS.MISS;
}
}
let isRight = markers.filter((x) => x == MARKERS.RIGHT_POS).length == this._currentWord.length;
if (isRight) {
guessResult = GUESS_RESULT.WIN;
} else {
guessResult = GUESS_RESULT.MISS;
}
2025-01-22 10:29:50 +00:00
return {
guessResult: guessResult,
2025-01-22 10:29:50 +00:00
hits: hits,
markers: markers
};
}
}