xxxxxxxxxx
104
class History {
constructor(pos, vel, acc) {
this.pos = pos;
this.vel = vel;
this.acc = acc;
}
}
class Mover {
constructor(x, y, vx, vy, m, c) {
this.pos = createVector(x, y);
this.vel = createVector(vx, vy);
this.acc = createVector(0, 0);
this.mass = m;
this.r = sqrt(this.mass) * 10;
this.charge = c;
this.active = true;
this.trail = [];
this.greekLetter = random(greekLetters);
this.deactivationTime = 0;
}
applyForce(force) {
let f = p5.Vector.div(force, this.mass);
this.acc.add(f);
}
deactivate() {
this.active = false;
this.deactivationTime = millis() + random(minRemovalDelay, maxRemovalDelay);
}
update() {
// Limit the acceleration
if (this.acc.mag() > maxAcceleration) {
this.acc.setMag(maxAcceleration);
}
this.vel.add(this.acc);
// Limit the velocity
if (this.vel.mag() > maxVelocity) {
this.vel.setMag(maxVelocity);
}
this.pos.add(this.vel);
this.acc.set(0, 0);
// Add current state to the trail
this.trail.push(new History(this.pos.copy(), this.vel.copy(), this.acc.copy()));
// Limit the length of the trail
if (this.trail.length > maxTrailLength) {
this.trail.shift(); // Remove the oldest element
}
}
show(index) {
pg.noStroke();
pg.fill('#E6E1C5');
fill('#E6E1C5');
let speed = this.vel.mag();
let maxSpeed = maxVelocity;
let thickness = map(speed, 0, maxSpeed, 14, 2);
pg.ellipse(this.pos.x, this.pos.y, 5, 5); // Small bubbles to simulate bubble chamber effect
if (this.trail.length > 1) {
let midIndex = floor(this.trail.length / 2);
let midPoint = this.trail[midIndex].pos;
// Calculate the direction vector at the midpoint
let direction;
if (midIndex < this.trail.length - 1) {
direction = p5.Vector.sub(this.trail[midIndex + 1].pos, this.trail[midIndex].pos);
} else {
direction = p5.Vector.sub(this.trail[midIndex].pos, this.trail[midIndex - 1].pos);
}
// Normalize the direction and rotate it to be perpendicular
direction.normalize();
let perpDirection = createVector(-direction.y, direction.x);
perpDirection.mult(10); // Offset the text by 10 pixels
let textPosition = p5.Vector.add(midPoint, perpDirection);
let chargeSymbol = this.charge > 0 ? "+" : "-";
textSize(16);
textAlign(CENTER, CENTER);
text(chargeSymbol, textPosition.x, textPosition.y);
// Offset further for the Greek letter
let greekLetterPosition = p5.Vector.add(midPoint, p5.Vector.mult(perpDirection, 2));
text(this.greekLetter, greekLetterPosition.x, greekLetterPosition.y);
// Offset further for the index number
let indexPosition = p5.Vector.add(midPoint, p5.Vector.mult(perpDirection, 4));
text(`(${index})`, indexPosition.x, indexPosition.y);
}
}
}