xxxxxxxxxx
63
// Player class definition
class Player {
constructor() {
this.width = 40;
this.height = 20;
this.x = width / 2 - this.width / 2;
this.y = height - this.height - 10;
}
// Display the player on the canvas
display() {
fill('#FF4D0D');
rect(this.x, this.y, this.width * 2, this.height);
}
// Update the player's position based on input
update() {
if (keyIsDown(LEFT_ARROW) && this.x > 0) {
this.x -= 5;
}
if (keyIsDown(RIGHT_ARROW) && this.x < width - this.width) {
this.x += 5;
}
}
}
// FallingObject class definition
class FallingObject {
constructor() {
this.width = random(20, 40);
this.height = random(20, 40);
this.x = random(width - this.width);
this.y = 0;
this.speed = random(2, 4);
}
// Display the falling object on the canvas
display() {
fill('grey');
rect(this.x, this.y, this.width, this.height);
}
// Update the falling object's position
update() {
this.y += this.speed;
}
// Check if the falling object is offscreen
offscreen() {
return this.y > height;
}
// Check if the falling object hits the player
hits(player) {
return (
this.x < player.x + player.width &&
this.x + this.width > player.x &&
this.y < player.y + player.height &&
this.y + this.height > player.y
); // Return true if the falling object hits the player
}
}