xxxxxxxxxx
85
//recollecting or connecting scattered / vague memory
// initializing the dots (cells or parts of the memory) 50 of them
let cells = [];
let numCells = 50;
function setup() {
createCanvas(400, 400);
// loops 50 times
for (let i = 0; i < numCells; i++) {
cells.push({
x: random(width),
y: random(height),
xspeed: random(-2, -2),
yspeed: random(-2, -2),
radius: random(6, 15),
});
}
}
function draw() {
background(0);
for (let i = 0; i < cells.length; i++) {
if (mouseIsPressed === false ) {
move(cells[i]);
// when user clicks the screen , motion is paused
}
displayCell(cells[i]);
connectCells(cells, i);
}
}
//takes array of cells as an argument
function move(cell) {
cell.x += cell.xspeed;
cell.y += cell.yspeed;
// Bouncing off when cells reach the edges
if (cell.x < 0 || cell.x > width) {
cell.xspeed *= -1;
}
if (cell.y < 0 || cell.y > height) {
cell.yspeed *= -1;
}
}
function displayCell(cell) {
fill(255, 150, 150); //brain color
ellipse(cell.x, cell.y, cell.radius * 2);
}
function connectCells(cells) {
let maxConnections = 10; // Maximum number of connections per cell
// Loop through each cell as the source cell
for (let i = 0; i < cells.length; i++) {
let connectedCount = 0; // Counter for the number of connections made by the source cell
// Loop through all cells again to consider them as potential target cells
for (let j = 0; j < cells.length; j++) {
// Ensure that the source cell is not the same as the target cell
if (i !== j) {
// Calculate the distance between the centers of the source and target cells
let d = dist(cells[i].x, cells[i].y, cells[j].x, cells[j].y);
// Check if the cells are close enough to be connected, and if the source cell
// has not reached its maximum allowed connections
if (d < 50 && connectedCount < maxConnections) {
stroke(255, 150, 150); // Set the line color
line(cells[i].x, cells[i].y, cells[j].x, cells[j].y); // Draw a line between the cells
connectedCount++; // Increment the connection count for the source cell
}
}
}
}
}