hp
toc

Mandelbrot set miscalculations

2016-12-03, post № 150

Java, mathematics, programming, Python, #assignment, #complex numbers

While developing a Java program to create an image of the Mandelbrot set, I stumbled upon a small error which completely changes the set’s look. To fix this bug, you need to swap two lines of code.

The bug arises when trying to convert convenient Python features to Java.
To iteratively apply the function z\mapsto z^2+c, you update your complex number 𝑧 a certain amount of times. When you are not using a complex number class, but instead you use two floating point numbers (in Java doubles to gain precision) a and b to define the real and imaginary part (z=\texttt{a}+\texttt{b}\cdot i), logically both numbers need to be updated.
In Python you may write the following, when 𝑐 is defined as being a complex number with parts c and d (c=\texttt{c}+\texttt{d}).

a, b = a**2 - b**2 + c, 2 * a * b + d

Which seems to be very similar to those two lines.

a = a**2 - b**2 + c
b = 2 * a * b + d

But notice that in the first code snippet you define a tuple consisting of the real and imaginary part and then assign it to the variables. The first snippet really looks like this.

t = (a**2 - b**2 + c, 2 * a * b + d)
a, b = t

Using this assignment of variables, which corresponds to z\mapsto z^2+c, you get an image of the correct Mandelbrot set.

mandelbrot-set-miscalculations_mandelbrot-set-correct.png

In contrary, the second code snippet assigns the old a its new value, then uses this new a to define the value of new b, thus does not calculate z\mapsto z^2+c, which is equivalent to z\mapsto (\texttt{a}^2-\texttt{b}^2+\texttt{c})+(2\cdot\texttt{a}\cdot\texttt{b}+\texttt{d})\cdot i, but rather z\mapsto (\texttt{a}^2-\texttt{b}^2+\texttt{c})+(2\cdot\texttt{a}^2\cdot\texttt{b}-2\cdot\texttt{b}^3+2\cdot\texttt{b}\cdot\texttt{c}+\texttt{d})\cdot i.

In Java it would look like this.

a = a*a - b*b + c;
b = 2 * a * b + d;

Which results in this rather unusual depiction of the famous fractal.

mandelbrot-set-miscalculations_mandelbrot-set-miscalculation.png

You can easily avoid this bug when using two sets of variables to define old 𝑧 and new 𝑧, as shown in the following.

_a = a*a - b*b + c;
_b = 2 * a * b + d;
a = _a;
b = _b;

Or you can define variables \texttt{asqr}=\texttt{a}^2 and \texttt{bsqr}=\texttt{b}^2 and swap the assignment. Using variables for the squares of the parts of 𝑧 also helps to improve performance [1].

b = 2 * a * b + d;
a = asqr - bsqr + c;
asqr = a*a;
bsqr = b*b;
Source code: mandel.java

Footnotes

  1. [2020-07-28] Assuming the compiler was not able to optimize the given source code. Performance statements should always be delivered on the basis of real-world testing, which was not performed in this case.
Jonathan Frech's blog; built 2024/04/13 20:55:09 CEST