Home > database >  Speeding up 3D numpy and dataframe lookup
Speeding up 3D numpy and dataframe lookup

Time:09-27

I currently have a pretty large 3D numpy array (atlasarray - 14M elements with type int64) in which I want to create a duplicate array where every element is a float based on a separate dataframe lookup (organfile).

I'm very much a beginner, so I'm sure that there must be a better (quicker) way to do this. Currently, it takes around 90s, which isn't ages but I'm sure can probably be reduced. Most of this code below is taken from hours of Googling, so surely isn't optimised.

import pandas as pd

organfile = pd.read_excel('/media/sf_VMachine_Shared_Path/ValidationData/ICRP110/AF/AF_OrgansSimp.xlsx')

densityarray = atlasarray
densityarray = densityarray.astype(float)

#create an iterable list of elements that can be written over and go for each elements
for idx, x in tqdm(np.ndenumerate(densityarray), total =densityarray.size):
    densityarray[idx] = organfile.loc[x,'Density']

All of the elements in the original numpy array are integers which correspond to an organID. I used pandas to read in the key from an excel file and generate a 4-column dataframe, where in this particular case I want to extract the 4th column (which is a float). OrganIDs go up to 142. Apologies for the table format below, I couldn't get it to work so put it in code format instead.

|:OrganID:|:OrganName:|:TissueType:|:Density:|
|:-------:|:---------:|:----------:|:-------:|
|:---0---:|:---Air---:|:----53----:|:-0.001-:|
|:---1---:|:-Adrenal-:|:----43----:|:-1.030-:|

Any recommendations on ways I can speed this up would be gratefully received.

CodePudding user response:

Put the density from the dataframe into a numpy array:

density = np.array(organfile['Density'])

Then run:

density[atlasarray]

Don't use loops, they are slow. The following example with 14M elements takes less than 1 second to run:

density = np.random.random((143))
atlasarray = np.random.randint(0, 142, (1000, 1000, 14))
densityarray = density[atlasarray]

Shape of densityarray:

print(densityarray.shape)
(1000, 1000, 14)
  • Related