-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathperlin.h
62 lines (59 loc) · 2.54 KB
/
perlin.h
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
#ifndef PERLIN_H
#define PERLIN_H
#include "utils.h"
#include "vec3.h"
struct perlin {
perlin() {
ranvec = new vec3[point_count];
for (int i = 0; i < point_count; ++i) ranvec[i] = unit_vector(vec3::random(-1,1));
perm_x = perlin_generate_perm(); perm_y = perlin_generate_perm(); perm_z = perlin_generate_perm();
}
~perlin() {delete[] ranvec; delete[] perm_x; delete[] perm_y; delete[] perm_z;}
static const int point_count = 256;
vec3* ranvec;
int* perm_x; int* perm_y; int* perm_z;
double noise(const point3& p) const {
auto u = p.x() - floor(p.x()), v = p.y() - floor(p.y()), w = p.z() - floor(p.z());
auto i = static_cast<int>(floor(p.x())), j = static_cast<int>(floor(p.y())), k = static_cast<int>(floor(p.z()));
vec3 c[2][2][2];
for (int di = 0; di < 2; di++) for (int dj = 0; dj < 2; dj++) for (int dk = 0; dk < 2; dk++)
c[di][dj][dk] = ranvec[perm_x[(i + di) & 255]^perm_y[(j + dj) & 255]^perm_z[(k + dk) & 255]];
return perlin_interp(c, u, v, w);
}
static double perlin_interp(vec3 c[2][2][2], double u, double v, double w) {
auto uu = u*u*(3 - 2*u), vv = v*v*(3 - 2*v), ww = w*w*(3 - 2*w); // hermite cubic
auto accum = 0.0;
for (int i = 0; i < 2; i++) for (int j = 0; j < 2; j++) for (int k = 0; k < 2; k++) {
vec3 weight_v(u-i, v-j, w-k);
accum += (i*uu + (1 - i)*(1 - uu))*(j*vv + (1 - j)*(1 - vv))*(k*ww + (1 - k)*(1 - ww))*dot(c[i][j][k], weight_v);
}
return accum;
}
static double trilinear_interp(double c[2][2][2], double u, double v, double w) {
auto accum = 0.0;
for (int i = 0; i < 2; i++) for (int j = 0; j < 2; j++) for (int k = 0; k < 2; k++)
accum += (i*u + (1 - i)*(1 - u))*(j*v + (1 - j)*(1 - v))*(k*w + (1 - k)*(1 - w))*c[i][j][k];
return accum;
}
static int* perlin_generate_perm() {
auto p = new int[point_count];
for (int i = 0; i < perlin::point_count; i++) p[i] = i;
permute(p, point_count);
return p;
}
static void permute(int* p, int n) {
for (int i = n-1; i > 0; i--) {
int target = random_int(0, i);
int tmp = p[i]; p[i] = p[target]; p[target] = tmp;
}
}
double turb(const point3& p, int depth=7) const {
auto accum = 0.0; auto temp_p = p; auto weight = 1.0;
for (int i = 0; i < depth; i++) {
accum += weight*noise(temp_p);
weight *= 0.5; temp_p *= 2;
}
return fabs(accum);
}
};
#endif