xxxxxxxxxx
76
let pigeons = [];
let food;
let pigeonImg, foodImg;
function preload() {
// Load an image of a pigeon and food
pigeonImg = loadImage('pigeon.png'); // Replace with the path to your pigeon image
foodImg = loadImage('food.png'); // Replace with the path to your food image
}
function setup() {
createCanvas(800, 600);
// Create multiple pigeons with different starting positions
for (let i = 0; i < 5; i++) {
pigeons.push({
position: createVector(random(width), random(height - 100)),
velocity: createVector(0, 0),
acceleration: createVector(0, 0),
state: 'walking', // Can be 'walking' or 'pecking'
peckTime: 0 // To control how long they peck
});
}
// Place the first food at a random location
generateNewFood();
}
function draw() {
background(150); // Gray canvas representing the ground
// Draw the food item
imageMode(CENTER);
image(foodImg, food.position.x, food.position.y, 40, 40); // Bigger food image
for (let i = 0; i < pigeons.length; i++) {
let pigeon = pigeons[i];
// Update behavior based on state
if (pigeon.state === 'walking') {
// Move towards the food
let direction = p5.Vector.sub(food.position, pigeon.position);
direction.setMag(0.05); // Slow walking speed
pigeon.acceleration = direction;
pigeon.velocity.add(pigeon.acceleration);
pigeon.velocity.limit(1); // Limit the velocity for realistic walking speed
pigeon.position.add(pigeon.velocity);
// Check if the pigeon reaches the food
if (p5.Vector.dist(pigeon.position, food.position) < 20) {
pigeon.state = 'pecking';
pigeon.peckTime = millis(); // Start pecking
generateNewFood(); // Generate new food once the pigeon reaches it
}
} else if (pigeon.state === 'pecking') {
// Stop and peck for a few seconds
pigeon.velocity.mult(0); // Stop walking
if (millis() - pigeon.peckTime > 2000) {
pigeon.state = 'walking'; // Resume walking after pecking
}
}
// Draw the pigeon
imageMode(CENTER);
image(pigeonImg, pigeon.position.x, pigeon.position.y, 60, 60); // Bigger pigeon image
}
}
// Function to generate a new random food position
function generateNewFood() {
food = {
position: createVector(random(width), random(height - 100))
};
}