AG-88301
AG-88301

Reputation: 25

Plotting imaginary numbers on a complex plane

I'm trying to plot the graph of Euler's formula (e^(ix)) on a complex plane (preferably with matplotlib) to achieve the circular graph (radius i). Is there a way I can do this?

So far I've only managed to plot it on a real plane to get a graph in the form e^(kx) with the following code:

import numpy as np
import matplotlib.pyplot as plt

i = np.emath.sqrt(-1).imag
e = math.e

x = np.linspace(0, 10, 1000)
plt.scatter(x, (e**(i*x)))
# plt.scatter(x, (np.cos(x) + (i*np.sin(x))))
plt.show()

Upvotes: 1

Views: 571

Answers (1)

Brian61354270
Brian61354270

Reputation: 14423

You can compute the complex-valued function for some values of x and then plot the real and imaginary components on the x- and y-axes, respectively. Make sure not to mix up the variable you're naming x and the x-axis on the plot. I'll use t to avoid that confusion.

import numpy as np
import matplotlib.pyplot as plt

# Input parameter.
n = 9
t = 2 * np.pi * np.arange(n) / n
# Complex valued result.
z = np.exp(1j * t)

fig, ax = plt.subplots()
ax.scatter(np.real(z), np.imag(z))
ax.set_aspect("equal")

Plot result:

enter image description here

Upvotes: 4

Related Questions