Numpy: Creating a complex array from 2 real ones? Numpy: Creating a complex array from 2 real ones? python python

Numpy: Creating a complex array from 2 real ones?


This seems to do what you want:

numpy.apply_along_axis(lambda args: [complex(*args)], 3, Data)

Here is another solution:

# The ellipsis is equivalent here to ":,:,:"...numpy.vectorize(complex)(Data[...,0], Data[...,1])

And yet another simpler solution:

Data[...,0] + 1j * Data[...,1]

PS: If you want to save memory (no intermediate array):

result = 1j*Data[...,1]; result += Data[...,0]

devS' solution below is also fast.


There's of course the rather obvious:

Data[...,0] + 1j * Data[...,1]


If your real and imaginary parts are the slices along the last dimension and your array is contiguous along the last dimension, you can just do

A.view(dtype=np.complex128)

If you are using single precision floats, this would be

A.view(dtype=np.complex64)

Here is a fuller example

import numpy as npfrom numpy.random import rand# Randomly choose real and imaginary parts.# Treat last axis as the real and imaginary parts.A = rand(100, 2)# Cast the array as a complex array# Note that this will now be a 100x1 arrayA_comp = A.view(dtype=np.complex128)# To get the original array A back from the complex versionA = A.view(dtype=np.float64)

If you want to get rid of the extra dimension that stays around from the casting, you could do something like

A_comp = A.view(dtype=np.complex128)[...,0]

This works because, in memory, a complex number is really just two floating point numbers. The first represents the real part, and the second represents the imaginary part.The view method of the array changes the dtype of the array to reflect that you want to treat two adjacent floating point values as a single complex number and updates the dimension accordingly.

This method does not copy any values in the array or perform any new computations, all it does is create a new array object that views the same block of memory differently.That makes it so that this operation can be performed much faster than anything that involves copying values.It also means that any changes made in the complex-valued array will be reflected in the array with the real and imaginary parts.

It may also be a little trickier to recover the original array if you remove the extra axis that is there immediately after the type cast.Things like A_comp[...,np.newaxis].view(np.float64) do not currently work because, as of this writing, NumPy doesn't detect that the array is still C-contiguous when the new axis is added.See this issue.A_comp.view(np.float64).reshape(A.shape) seems to work in most cases though.