-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathboid.js
130 lines (116 loc) · 2.64 KB
/
boid.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
// Go to center of mass of flock
function rule1(boid, close) {
let com = createVector();
let res = createVector();
let count = 0;
if (close.length > 1) {
close.forEach(obj => {
let neighbor = obj.b;
let d = p5.Vector.dist(boid.position,neighbor.position);
if (boid !== neighbor && d < Boid.viewRange) {
com.add(neighbor.position);
count++;
}
})
if (count > 0){
com.div(count);
res = com.sub(boid.position);
}
res.div(500);
}
return res;
}
// Avoid collisions
function rule2(boid, close) {
let range = 20;
let res = createVector(0, 0);
let count = 0;
close.forEach( obj => {
let neighbor = obj.b;
let d = p5.Vector.dist(boid.position,neighbor.position);
if ((d > 0) && (d < range)) {
let diff = p5.Vector.sub(boid.position, neighbor.position);
diff.normalize();
diff.div(d);
res.add(diff);
count++;
}
})
if (count > 0) {
res.div(count);
}
if (res.mag() > 0) {
res.normalize();
res.mult(Boid.vLimit);
res.sub(boid.velocity);
res.limit(0.2);
}
return res;
}
// Match velocity of flock
function rule3(boid, close) {
let res = createVector();
let count = 0;
if (close.length > 1) {
close.forEach(obj => {
let neighbor = obj.b;
let d = p5.Vector.dist(boid.position,neighbor.position);
if (boid !== neighbor && d < Boid.viewRange) {
res.add(p5.Vector.sub(neighbor.vel,boid.vel));
count++;
}
})
if (count > 0)
res.div((count)*8);
}
return res;
}
// Avoid walls
function rule4(boid, close) {
let res = createVector();
if (boid.position.x < 40) {
res.add(0.6);
}
if (boid.position.x > canvasWidth - 40) {
res.add(-0.6);
}
if (boid.position.y < 40) {
res.add(0,0.6);
}
if (boid.position.y > canvasHeight - 40) {
res.add(0,-0.6);
}
return res;
}
class Boid {
constructor(x=canvasWidth/2, y=canvasHeight/2, vx=0, vy=0) {
this.position = createVector(x, y);
this.vel = createVector(vx, vy);
this.diameter = 12;
this.color = colors[Math.floor(Math.random()*colors.length)];
}
static get vLimit() {
return 5;
}
static get viewRange() {
return 35;
}
display() {
push();
fill(this.color);
translate(this.position.x, this.position.y);
rotate(this.vel.heading() - 90);
triangle(0,0,this.diameter,0,this.diameter / 2,this.diameter * 1.73);
pop()
}
limitVel() {
if (this.vel.mag() > Boid.vLimit) {
this.vel.normalize();
this.vel.mult(Boid.vLimit);
}
if (this.vel.mag() < 3) {
this.vel.normalize();
this.vel.mult(3);
}
}
}