let previousTimestamp = 0;

let lastEnemySpawnTime = Date.now();



// Things to add:


// strokes over invisible enemies that haven't been typed yet

// gold text for letters that have been typed correctly / already with the strike


/////////////////////// WORKING VERSION



document.addEventListener('DOMContentLoaded', () => {

    const russianBtn = document.getElementById('russian');


    if (russianBtn) {

        russianBtn.addEventListener('click', () => {

            window.location.href = 'game.html';

        });

    }

});


const canvas = document.getElementById('gameCanvas');

const ctx = canvas && canvas.getContext('2d');

const russianWords = [

    { rus: 'и', eng: 'and' },

    { rus: 'в', eng: 'in' },

    { rus: 'не', eng: 'not' },

    { rus: 'на', eng: 'on' },

    { rus: 'что', eng: 'what' },

    { rus: 'с', eng: 'with' },

    { rus: 'он', eng: 'he' },

    { rus: 'как', eng: 'how' },

    { rus: 'это', eng: 'this' },

    { rus: 'то', eng: 'that' }

];


const bossWords = [

    { rus: 'спасибо', eng: 'thank_you' },

    { rus: 'привет', eng: 'hello' },

    { rus: 'пожалуйста', eng: "you're_welcome" },

    { rus: 'как дела', eng: 'how are you' },

    { rus: 'извините', eng: 'excuse me' },

    { rus: 'доброе утро', eng: 'good morning' },

    { rus: 'добрый вечер', eng: 'good evening' },

    { rus: 'до свидания', eng: 'goodbye' },

    { rus: 'где туалет', eng: 'where is the toilet' },

    { rus: 'сколько стоит', eng: 'how much does it cost' }

];


const engToRusMap = {

    'q': 'й', 'w': 'ц', 'e': 'у', 'r': 'к', 't': 'е', 'y': 'н', 'u': 'г', 'i': 'ш', 'o': 'щ', 'p': 'з', '[': 'х', ']': 'ъ',

    'a': 'ф', 's': 'ы', 'd': 'в', 'f': 'а', 'g': 'п', 'h': 'р', 'j': 'о', 'k': 'л', 'l': 'д', ';': 'ж', "'": 'э',

    'z': 'я', 'x': 'ч', 'c': 'с', 'v': 'м', 'b': 'и', 'n': 'т', 'm': 'ь', ',': 'б', '.': 'ю', '/': '.'

};


// Define the mapping between Russian words and their corresponding audio file names

const wordAudioFileNames = {

    'и': 'и',

    'в': 'в',

    'не': 'не',

    'на': 'на',

    'что': 'что',

    'с': 'с',

    'он': 'он',

    'как': 'как',

    'это': 'это',

    'то': 'то',


    // Boss Words


    'спасибо': 'спасибо',

    'привет': 'привет',

    'пожалуйста': 'пожалуйста',

    'как': 'как',

    'как дела': 'какДела',

    'извините': 'извините',

    'доброе утро': 'доброеУтро',

    'добрый вечер': 'добрыйВечер',

    'до свидания': 'доСвидания',

    'где туалет': 'гдеТуалет',

    'сколько стоит': 'сколькоСтоит'

};


const laser = {

    x: canvas.width / 2,

    y: canvas.height,

    width: 5,

    height: 20,

    speed: 15,

    active: false,

    gradient: null

};


const specificWords = ["and", "in", "not", "on", "what", "with", "he", "how", "this", "that"];


let specificWordCounters = {

    and: 0,

    in: 0,

    not: 0,

    on: 0,

    what: 0,

    with: 0,

    he: 0,

    how: 0,

    this: 0,

    that: 0,

};


let invisibleEnemy = {

    x: 0,

    y: 0,

    size: 30,

    word: null,

    progress: 0,

    speed: 1,

    hintIndices: [],

    active: false,

};

let specificWordCounter = 0;

let score = 0;

let previousScore = 0;

let health = 3;

let enemy = {

    x: Math.random() * (canvas.width - 30 * 2) + 30,

    y: -30,

    size: 30,

    word: russianWords[Math.floor(Math.random() * russianWords.length)],

    progress: 0,

    speed: 1,

    hintIndices: generateHintIndices(russianWords[Math.floor(Math.random() * russianWords.length)].rus.length)

};

let currentEnemyType = 'regular'; // Possible values: 'regular' or 'invisible'

let bossActive = false;

let boss = {

    x: 0,

    y: 0,

    size: 60,

    word: { rus: '', eng: '' },

    progress: 0,

    timer: 10, // 10 seconds timer

};

let gameTime = 90; // Total game time in seconds (2 minutes)

let timeElapsed = 0; // Time elapsed since the game started

let correctWordsInARow = 0;

let screenFlash = false;

let gamePaused = false;


class Particle {

    constructor(x, y, size, color) {

        this.x = x;

        this.y = y;

        this.size = size;

        this.color = color;

        this.lifespan = 1; // Particle's initial lifespan (1 second)

        this.velocity = {

            x: (Math.random() - 0.5) * 2,

            y: (Math.random() - 0.5) * 2

        };

    }


    update(delta) {

        console.log('Updating a particle'); // Add this line

        this.x += this.velocity.x * delta;

        this.y += this.velocity.y * delta;

        this.lifespan -= delta;

    }


    draw(ctx) {

        console.log('Drawing a particle'); // Add this line

        ctx.beginPath();

        ctx.rect(this.x, this.y, this.size, this.size);

        ctx.fillStyle = this.color;

        ctx.fill();

    }

}


let particles = [];


function getLevelFromUrl() {

    const urlParams = new URLSearchParams(window.location.search);

    return urlParams.get('level') || 1;

}


let level = parseInt(getLevelFromUrl(), 10);


if (level === 1) {

    // Configure game settings for Beginner 1

} else if (level === 2) {

    // Configure game settings for Beginner 2

} else if (level === 3) {

    // Configure game settings for Beginner 3

}


function spawnParticles(x, y, count, size, color) {

    for (let i = 0; i < count; i++) {

        particles.push(new Particle(x, y, 4, 'yellow'));

    }

}



function updateParticles(delta) {

    for (let i = particles.length - 1; i >= 0; i--) {

        particles[i].update(delta);

        if (particles[i].lifespan <= 0) {

            particles.splice(i, 1);

        }

    }

}


function drawParticles() {

    for (const particle of particles) {

        particle.draw(ctx);

    }

}



function drawTriangle() {

    ctx.beginPath();

    ctx.moveTo(canvas.width / 2, canvas.height - 30);

    ctx.lineTo(canvas.width / 2 - 20, canvas.height - 10);

    ctx.lineTo(canvas.width / 2 + 20, canvas.height - 10);

    ctx.closePath();

    ctx.strokeStyle = 'blue'; // Change the color to blue

    ctx.lineWidth = 2;

    ctx.stroke();

}


function playAudio(word) {

    if (wordAudioFileNames[word]) {

        const fileName = wordAudioFileNames[word];

        const audio = new Audio(`sounds/${fileName}.wav`);

        audio.playbackRate = 1.25; // Set the playback speed to 1.25x

        audio.play();

    } else {

        console.error(`Audio for word '${word}' not found.`);

    }

}


function createLaserGradient() {

    laserGradient = ctx.createLinearGradient(0, 0, 0, canvas.height);

    laserGradient.addColorStop(0, 'rgba(255, 0, 0, 0.8)');

    laserGradient.addColorStop(1, 'rgba(255, 255, 255, 0.8)');

}


function drawLaser() {

    if (laser.active) {

        ctx.beginPath();

        ctx.moveTo(laser.x, laser.y);

        ctx.lineTo(laser.x, laser.y - 15);

        ctx.strokeStyle = laserGradient;

        ctx.lineWidth = 2;

        ctx.stroke();


        laser.y -= laser.speed;

    }

}


function drawEnemy(x, y, size, isBoss) {

    if (isBoss) {

        ctx.beginPath();

        ctx.arc(x + size / 2, y + size / 2, size / 2, 0, Math.PI * 2);

        ctx.strokeStyle = '#ff1c1c';

        ctx.lineWidth = 2;

        ctx.stroke();

    } else {

        ctx.beginPath();

        ctx.rect(x, y, size, size);

        ctx.strokeStyle = '#dd0000';

        ctx.lineWidth = 2;

        ctx.stroke();

    }

}


// Invisible:


function drawEnemyInvisible(x, y, size) {

    ctx.beginPath();

    ctx.rect(x - size / 2, y - size / 2, size, size);

    ctx.strokeStyle = 'blue';

    ctx.lineWidth = 2;

    ctx.stroke();


    drawInvisibleEnemyHintWithGoldUnderscores(x, y, size, invisibleEnemy.word, invisibleEnemy.hintIndices);

}



function drawEnemyWord(x, y, size, word, translation, progress, isBoss = false) {

    ctx.font = '20px Arial';

    ctx.fillStyle = 'white';

    const textWidth = ctx.measureText(word).width;

    ctx.fillText(word, x + size / 2 - textWidth / 2, y - 5);


    // Draw the English translation at the bottom

    ctx.font = '14px Arial';

    const translationWidth = ctx.measureText(translation).width;

    ctx.fillText(translation, x + size / 2 - translationWidth / 2, y + size + 20);


    ctx.beginPath();

    ctx.moveTo(x + size / 2 - textWidth / 2, y - 7);

    ctx.lineTo(x + size / 2 - textWidth / 2 + progress * (textWidth / word.length), y - 7);

    ctx.strokeStyle = 'red';

    ctx.lineWidth = 2;

    ctx.stroke();


    if (isBoss) {

        ctx.font = '20px Arial';

        ctx.fillStyle = 'white'; // Change this line

        ctx.fillText('Timer: ' + boss.timer.toFixed(1), x + size / 2 - ctx.measureText('Timer: ' + boss.timer.toFixed(1)).width / 2, y + size / 2 + 7);

    }

}


function drawInvisibleEnemyHint(x, y, size, word, hintIndices) {

    const fontSize = 16;

    ctx.font = `${fontSize}px Arial`;

    ctx.fillStyle = '#fff';


    for (let i = 0; i < word.rus.length; i++) {

        if (hintIndices.includes(i)) {

            ctx.fillText(word.rus[i], x - (word.rus.length * 20) / 2 + i * 20, y + size / 2 + 5);

        }

    }


    ctx.fillText(word.eng, x - ctx.measureText(word.eng).width / 2, y + size + fontSize);

}


function generateHintIndices(wordLength) {

    let hintCount;

    if (wordLength < 5) {

        hintCount = 1;

    } else if (wordLength === 5) {

        hintCount = 2;

    } else {

        hintCount = 3;

    }


    const hintIndices = [];

    for (let i = 0; i < hintCount; i++) {

        let randomIndex;

        do {

            randomIndex = Math.floor(Math.random() * wordLength);

        } while (hintIndices.includes(randomIndex));

        hintIndices.push(randomIndex);

    }

    return hintIndices;

}


function drawInvisibleEnemyHintWithGoldUnderscores(x, y, size, word, hintIndices) {

    ctx.font = 'bold ' + 18 + 'px Arial';

    ctx.textAlign = 'center';

    ctx.textBaseline = 'middle';


    const characterWidth = ctx.measureText('_').width;

    const totalWidth = characterWidth * word.rus.length;


    for (let i = 0; i < word.rus.length; i++) {

        if (hintIndices.includes(i) || i < word.progress) {

            ctx.fillStyle = (i < word.progress) ? 'gold' : 'white';

            ctx.fillText(word.rus[i], x - totalWidth / 2 + i * characterWidth, y - size / 2 - 8);


            if (i < word.progress && hintIndices.includes(i)) {

                ctx.beginPath();

                ctx.strokeStyle = 'red';

                ctx.lineWidth = 2;

                const textWidth = ctx.measureText(word.rus[i]).width;

                ctx.moveTo(x - totalWidth / 2 + i * characterWidth - textWidth / 2, y - size / 2 - 8);

                ctx.lineTo(x - totalWidth / 2 + i * characterWidth + textWidth / 2, y - size / 2 - 8);

                ctx.stroke();

            }

        } else {

            ctx.fillStyle = 'gold';

            ctx.fillText('_', x - totalWidth / 2 + i * characterWidth, y - size / 2 - 8);

        }

    }


    // Reset the text alignment properties to their default values

    ctx.textAlign = 'start';

    ctx.textBaseline = 'alphabetic';

}


function spawnBoss() {

    correctWordsInARow = 0;

    bossActive = true;

    boss.word = bossWords[Math.floor(Math.random() * bossWords.length)];

    boss.x = canvas.width / 2 - boss.size / 2; // Center the boss on the x-axis

    boss.y = boss.size / 2; // Move the boss to the top of the canvas

    boss.progress = 0;

    boss.timer = 10;

    // Deactivate the invisible enemy

    invisibleEnemy.active = false;

}



function spawnInvisibleEnemy(specificWord) {

    let chosenWord = russianWords.find((wordObj) => wordObj.eng === specificWord);

    let hintIndices = generateHintIndices(chosenWord.rus.length);


    let minDistance = 150; // Minimum distance between regular enemy and invisible enemy

    let distance;

    let xPos;

    let yPos;


    do {

        xPos = Math.random() * (canvas.width - 30 * 2) + 30;

        yPos = -30;

        distance = Math.sqrt(Math.pow(xPos - enemy.x, 2) + Math.pow(yPos - enemy.y, 2));

    } while (distance < minDistance);


    invisibleEnemy = {

        x: xPos,

        y: yPos,

        size: 30,

        word: chosenWord,

        progress: 0,

        speed: boss.active ? 0.1 : 1, // Set the speed depending on whether the boss is active

        hintIndices: hintIndices,

        typedLetters: Array(chosenWord.rus.length).fill(null), // Add this line

        active: true,

    };

}


function drawScore() {

    ctx.font = '20px Arial';

    ctx.fillStyle = '#008000'; // Changed from 'white' to 'lime'

    ctx.fillText(`Score: ${score}`, canvas.width - 100, 30); // Changed from 10 to (canvas.width - 100)

    ctx.fillText(`${previousScore}`, canvas.width - 35, 60); // Changed from 10 to (canvas.width - 130)

}


function drawHealth() {

    ctx.font = '20px Arial';

    ctx.fillStyle = '#00ff00';

    ctx.fillText('Health: ' + health, 10, canvas.height - 10);

}



function restartGame() {

    console.log("Inside restartGame function");

    score = 0;

    health = 3;

    correctWordsInARow = 0;

    bossActive = false;

    boss.timer = 10;

    gamePaused = false; // Add this line to ensure the game is unpaused

    timeElapsed = 0; // Add this line to reset the game time


    // Spawn a new enemy

    enemy.word = russianWords[Math.floor(Math.random() * russianWords.length)];

    enemy.x = Math.random() * (canvas.width - enemy.size * 2) + enemy.size;

    enemy.y = 0 - enemy.size; // Set the y position just above the play space

    enemy.speed = 1;

}


function returnToMainMenu() {

    const currentPath = window.location.pathname.split("/");

    const newPath = currentPath.slice(0, -1).join("/") + "/index.html";

    window.location.href = newPath;

}

console.log("Inside returnToMainMenu function");

function drawGameOver() {

    ctx.fillStyle = 'rgba(0, 0, 0, 0.7)';

    ctx.fillRect(0, 0, canvas.width, canvas.height);


    ctx.font = '50px Arial';

    ctx.fillStyle = 'red';

    ctx.textAlign = 'center';

    ctx.fillText('Game Over', canvas.width / 2, canvas.height / 2 - 50);


    ctx.font = '30px Arial';

    ctx.textAlign = 'center';

    ctx.fillText('Press M to return to Main Menu', canvas.width / 2, canvas.height / 2 + 100);


    ctx.font = '30px Arial';

    ctx.fillStyle = 'white';

    ctx.fillText('Press R to Restart', canvas.width / 2, canvas.height / 2 + 20);


    ctx.font = '30px Arial';

    ctx.textAlign = 'center';

    ctx.fillText(`SCORE: ${score}`, canvas.width / 2, canvas.height / 2 + 50); // Add the player's score


    ctx.textAlign = 'left';

}


function drawPauseMenu() {

    ctx.fillStyle = 'rgba(0, 0, 0, 0.7)';

    ctx.fillRect(0, 0, canvas.width, canvas.height);


    ctx.font = '50px Arial';

    ctx.fillStyle = 'lime';

    ctx.textAlign = 'center';

    ctx.fillText('Paused', canvas.width / 2, canvas.height / 2 - 50);


    ctx.font = '30px Arial';

    ctx.fillStyle = 'green';

    ctx.fillText('Press Escape Key or C to Continue', canvas.width / 2, canvas.height / 2);

    ctx.fillText('Press R to Restart', canvas.width / 2, canvas.height / 2 + 40);

    ctx.fillText('Press M to Return to Main Menu', canvas.width / 2, canvas.height / 2 + 80);


    ctx.textAlign = 'left';

}



function updateTimeElapsed(delta) {

    timeElapsed += delta / 1000; // Convert milliseconds to seconds

}



// Modify the gameLoop function to draw the enemy and its word:

function gameLoop(timestamp) {

    if (!previousTimestamp) {

        previousTimestamp = timestamp;

    }


    if (gamePaused) {

        drawPauseMenu();

        requestAnimationFrame(gameLoop);

        return;

    }


    const delta = timestamp - previousTimestamp;

    previousTimestamp = timestamp;

    updateTimeElapsed(delta); // Update the time elapsed


    ctx.clearRect(0, 0, canvas.width, canvas.height);


    updateParticles(delta); // Update particles

    drawParticles(); // Draw particles


    drawTriangle();

    drawLaser();

    drawScore();

    drawHealth();


    if (health > 0) {

        if (bossActive) {

            drawEnemy(boss.x, boss.y, boss.size, true);

            drawEnemyWord(boss.x, boss.y, boss.size, boss.word.rus, boss.word.eng, boss.progress, true);

            boss.timer -= 1 / 60; // Decrement the timer


            // Check if the timer has reached zero

            if (boss.timer <= 0) {

                screenFlash = true;

                setTimeout(() => {

                    screenFlash = false;

                }, 500); // 500 milliseconds = 1/2 second

                health--; // Decrease player's health

                spawnBoss(); // Respawn the boss

            }

        } else {

            drawEnemy(enemy.x, enemy.y, enemy.size);

            drawEnemyWord(enemy.x, enemy.y, enemy.size, enemy.word.rus, enemy.word.eng, enemy.progress);


            if (Date.now() - lastEnemySpawnTime > 500) {

                enemy.y += enemy.speed;

            }


            if (enemy.y + enemy.size >= canvas.height) { // Check if the enemy reached the goal line

                health--; // Decrease player's health

                correctWordsInARow = 0; // Reset the combo counter


                // Spawn a new enemy

                enemy.word = russianWords[Math.floor(Math.random() * russianWords.length)];

                enemy.x = Math.random() * (canvas.width - enemy.size * 2) + enemy.size;

                enemy.y = 0; // Set the y position to 0 (top of the screen)

                enemy.speed = 1; // Reset the enemy's speed

            }

        }


        ////////////////////////////////////////////////////////////////////////////////



        if (invisibleEnemy.active && invisibleEnemy.word) {

            drawEnemyInvisible(invisibleEnemy.x + invisibleEnemy.size / 2, invisibleEnemy.y + invisibleEnemy.size / 2, invisibleEnemy.size);


            // Draw the English word for the invisible enemy

            ctx.font = 'bold ' + 16 + 'px Arial';

            ctx.fillStyle = 'white';

            ctx.textAlign = 'center';

            ctx.textBaseline = 'middle';

            ctx.fillText(invisibleEnemy.word.eng, invisibleEnemy.x + invisibleEnemy.size / 2, invisibleEnemy.y + invisibleEnemy.size);


            // Reset the text alignment and baseline properties to their default values

            ctx.textAlign = 'start';

            ctx.textBaseline = 'alphabetic';


            // Update the invisible enemy's position depending on whether the boss is active

            if (boss.active) {

                // Do nothing when the boss is active

            } else {

                invisibleEnemy.y += invisibleEnemy.speed;

            }



            if (invisibleEnemy.y + invisibleEnemy.size >= canvas.height) { // Check if the invisible enemy reached the goal line

                health--; // Decrease player's health


                // Deactivate the invisible enemy

                invisibleEnemy.active = false;

            }

        } else if (invisibleEnemy.active) {

            console.error('Invisible enemy is active, but word is undefined');

        }




        ////////////////////////////////////////////////////////////////////////////////




        // Move the laser towards the enemy

        if (laser.active) {

            const target = bossActive ? boss : enemy;

            const directionX = target.x + target.size / 2 - laser.x;

            const directionY = target.y + target.size / 2 - laser.y;

            const directionLength = Math.sqrt(directionX * directionX + directionY * directionY);

            const normalizedDirectionX = directionX / directionLength;

            const normalizedDirectionY = directionY / directionLength;


            laser.x += normalizedDirectionX * laser.speed;

            laser.y += normalizedDirectionY * laser.speed;


            // Check for collisions

            if (laser.y <= enemy.y + enemy.size && laser.x >= enemy.x && laser.x <= enemy.x + enemy.size) {

                // Handle the collision: deactivate the laser and, if needed, handle particle effects

                laser.active = false;


                // OPTIONAL: You can add particle effects here

            }


            // Deactivate the laser if it goes out of the canvas

            if (laser.y <= 0) {

                laser.active = false;

            }

        }


        if (screenFlash) {

            ctx.fillStyle = 'rgba(255, 0, 0, 0.5)';

            ctx.fillRect(0, 0, canvas.width, canvas.height);

            screenFlash = false;

        }

    } else {

        drawGameOver();

    } if (health <= 0) {

        drawGameOver();

    } else if (timeElapsed >= gameTime) { // Check if the time is up

        ctx.fillStyle = 'rgba(0, 0, 0, 0.7)';

        ctx.fillRect(0, 0, canvas.width, canvas.height);


        ctx.fillStyle = '#FFF';

        ctx.font = '40px monospace';

        ctx.fillText("TIME'S UP!", canvas.width / 2 - 110, canvas.height / 2 - 50);

        ctx.fillText(`SCORE: ${score}`, canvas.width / 2 - 60, canvas.height / 2 + 50);


        ctx.font = '20px Arial';

        ctx.fillStyle = 'white';

        ctx.fillText('Press R to Restart', canvas.width / 2 - 80, canvas.height / 2 + 100);

    } else {

        window.requestAnimationFrame(gameLoop);

    }

}


if (canvas) {

    createLaserGradient();

    requestAnimationFrame(gameLoop);

}


const laserSound = new Audio();

laserSound.src = 'sounds/lasershot.wav';


document.addEventListener('keydown', (e) => {

    const key = e.key.toLowerCase();


    if (health <= 0) {

        if (key === 'r') {

            console.log('Restarting game from Game Over state...');

            restartGame();

            health = 3; // Make sure to set health back to a positive value

            return;

        } else if (key === 'm') {

            console.log('Returning to Main Menu from Game Over state...');

            returnToMainMenu();

            return;

        }

    }


    if (engToRusMap.hasOwnProperty(key) || key === ' ') {

        const rusLetter = key === ' ' ? ' ' : engToRusMap[key];


        let currentTarget = bossActive ? boss : (invisibleEnemy.active ? invisibleEnemy : enemy);

        if (rusLetter === currentTarget.word.rus[currentTarget.progress]) {

            spawnParticles(currentTarget.x, currentTarget.y, 50, 2, '#dd0000');

            currentTarget.progress++;


            // If the entire word is typed, handle the victory condition

            if (currentTarget.progress === currentTarget.word.rus.length) {

                // Spawn particles for the destroyed enemy

                spawnParticles(currentTarget.x, currentTarget.y, 50, 2, '#dd0000');

                score++;

                currentTarget.progress = 0;


                if (specificWords.includes(currentTarget.word.eng) && !invisibleEnemy.active) {

                    specificWordCounters[currentTarget.word.eng]++;

                }


                if (specificWordCounters[currentTarget.word.eng] % 3 === 0 && !invisibleEnemy.active) {

                    spawnInvisibleEnemy(currentTarget.word.eng);

                }


                // Activate the laser when the word is typed out correctly

                if (!bossActive && health > 0) {

                    laser.x = canvas.width / 2;

                    laser.y = canvas.height - 30;

                    laser.active = true;


                    // Play the laser sound

                    laserSound.play();

                }


                playAudio(currentTarget.word.rus);


                if (bossActive) {

                    score += 25; // Increase the score by 25 points

                    bossActive = false;

                    boss.timer = 10;

                } else {

                    correctWordsInARow++;


                    if (Math.random() < 0.1 && !invisibleEnemy.active && !bossActive) {

                        const randomSpecificWordIndex = Math.floor(Math.random() * specificWords.length);

                        const randomSpecificWord = specificWords[randomSpecificWordIndex];

                        spawnInvisibleEnemy(randomSpecificWord);

                        console.log('Spawning invisible enemy with random chance'); // Debugging

                    } else if (correctWordsInARow === 5) {

                        spawnBoss();

                    } else if (currentTarget !== invisibleEnemy) {

                        // Update the enemy with a new random word

                        enemy.word = russianWords[Math.floor(Math.random() * russianWords.length)];

                        enemy.hintIndices = generateHintIndices(enemy.word.rus.length);

                        // Update the enemy's x position with a random value within the canvas width

                        enemy.x = Math.random() * (canvas.width - enemy.size * 2) + enemy.size;

                        enemy.y = -enemy.size; // Spawn the enemy just above the play space

                        enemy.speed = 0.75;

                        lastEnemySpawnTime = Date.now();

                    }

                }


                if (invisibleEnemy.active && currentTarget === invisibleEnemy) {

                    invisibleEnemy.active = false;

                    specificWordCounters[invisibleEnemy.word.eng] = 0;

                }


            }

        } else {

            correctWordsInARow = 0;

        }


        e.preventDefault();

    }


    if (key === 'escape') {

        gamePaused = !gamePaused;

    }


    if (gamePaused) {

        if (key === 'c') {

            gamePaused = false;

        } else if (key === 'r') {

            restartGame();

            gamePaused = false;

        } else if (key === 'm') {

            returnToMainMenu();

        }

    } else { }

});