sketch = function( p ) {
let circles = [];
let radius = 200;
p.setup = function() {
p.createCanvas(p.windowWidth, 800);
}
p.draw = function() {
p.background(0);
p.stroke(255);
p.noFill();
p.circle(p.width/2, p.height/2, radius*2, radius*2);
for(let c of circles) {
c.draw();
}
addCircles(1);
stopExistingCircles();
}
function addCircles(amount) {
for (let i = 0; i < amount; i++) {
let newCircle = new Circle(
p.random(p.width/2 - radius, p.width/2 + radius),
p.random(p.height/2 - radius, p.height/2 + radius)
);
if (!newCircleOverlaps(newCircle)) {
circles.push(newCircle);
}
}
}
function newCircleOverlaps(newCircle) {
for (let otherCircle of circles) {
if (newCircle.overlaps(otherCircle) ||
newCircle.boundaries()) {
return true;
}
}
return false;
}
function stopExistingCircles(){
for (let i = 0; i < circles.length - 1; i++) {
let circleOne = circles[i];
for (let j = i + 1; j < circles.length; j++) {
let circleTwo = circles[j];
if(circleOne.overlaps(circleTwo) || circleTwo.boundaries()){
circleOne.isGrowing = false;
circleTwo.isGrowing = false;
}
}
}
}
class Circle {
constructor(x, y) {
this.x = x;
this.y = y;
this.r = 5;
this.isGrowing = true;
this.color = p.color(p.random(255), p.random(255), p.random(255));
}
draw() {
p.fill(this.color);
p.circle(this.x, this.y, this.r * 2);
if(this.isGrowing){
this.r += 1;
}
}
boundaries() {
let origin = p.createVector(p.width/2, p.height/2);
let point = p.createVector(this.x, this.y);
let dist = point.dist(origin);
return dist + this.r > radius;
}
overlaps(otherCircle){
return p.dist(this.x, this.y, otherCircle.x, otherCircle.y) < this.r + otherCircle.r + 2;
}
}
}