about summary refs log tree commit diff stats
path: root/js/mandelbrot/mb.js
blob: 27a19eabb611b031128bad8f7e5146832fb21820 (plain) (blame)
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
function mandelIter(cx, cy, maxIter) {
    let x = 0.0;
    let y = 0.0;
    let xx = 0;
    let yy = 0;
    let xy = 0;

    let i = maxIter;
    while (i-- && xx + yy <= 4) {
        xy = x * y;
        xx = x * x;
        yy = y * y;
        x = xx - yy + cx;
        y = xy + xy + cy;
    }
    return maxIter - i;
}

function mandelbrot(canvas, xmin, xmax, ymin, ymax, iterations) {
    const width = canvas.width;
    const height = canvas.height;
    const ctx = canvas.getContext('2d');
    const img = ctx.getImageData(0, 0, width, height);
    const pix = img.data;

    const pixels = Array.from({ length: width * height }, (_, index) => {
        const ix = index % width;
        const iy = Math.floor(index / width);
        const x = xmin + (xmax - xmin) * ix / (width - 1);
        const y = ymin + (ymax - ymin) * iy / (height - 1);
        const i = mandelIter(x, y, iterations);

        if (i > iterations) {
            return [0, 0, 0, 255];
        } else {
            const c = 3 * Math.log(i) / Math.log(iterations - 1.0);
            if (c < 1) {
                const shade = Math.floor(255 * c);
                return [shade, shade, shade, 255];
            } else if (c < 2) {
                const shade = Math.floor(255 * (c - 1));
                return [shade, shade, shade, 255];
            } else {
                const shade = Math.floor(255 * (c - 2));
                return [shade, shade, shade, 255];
            }
        }
    });

    pixels.forEach(([r, g, b, a], index) => {
        const ppos = 4 * index;
        pix[ppos] = r;
        pix[ppos + 1] = g;
        pix[ppos + 2] = b;
        pix[ppos + 3] = a;
    });

    ctx.putImageData(img, 0, 0);
}

const canvas = document.getElementById('mandelbrot');
canvas.width = 900;
canvas.height = 600;

mandelbrot(canvas, -2, 1, -1, 1, 1000);