xxxxxxxxxx
68
let particles = [];
const num = 4000;
const noiseScale = 0.01 / 2;
let ball;
function setup() {
createCanvas(600, 600);
// Create and initialize particle objects
for (let i = 0; i < num; i++) {
particles.push(new Point(random(width), random(height)));
}
// Create the wandering ball
ball = new Ball();
clear();
}
function draw() {
background(0, 10);
stroke('pink');
// Update and display the wandering ball
ball.update();
ball.display();
// Loop through all particles
for (let i = 0; i < num; i++) {
let p = particles[i];
p.avoid(ball); // Add avoidance behavior here
p.display();
p.update();
}
}
function mouseReleased() {
// Seed noise with millisecond value to create variation
noiseSeed(millis());
}
// Ball class to define wandering ball behavior
class Ball {
constructor() {
this.position = createVector(random(width), random(height));
this.velocity = p5.Vector.random2D(); // Random initial velocity
this.speed = 2;
}
update() {
// Random wandering motion
this.velocity.add(p5.Vector.random2D().mult(0.5)); // Adjust this for more randomness
this.velocity.limit(this.speed);
this.position.add(this.velocity);
// Keep the ball within the canvas
if (this.position.x > width || this.position.x < 0) this.velocity.x *= -1;
if (this.position.y > height || this.position.y < 0) this.velocity.y *= -1;
}
display() {
fill(255, 0, 0);
noStroke();
ellipse(this.position.x, this.position.y, 30, 30); // Draw the ball
}
}