J'ai un raster avec lequel j'aimerais faire quelques interpolations ponctuelles. Voici où j'en suis:
from osgeo import gdal
from numpy import array
# Read raster
source = gdal.Open('my_raster.tif')
nx, ny = source.RasterXSize, source.RasterYSize
gt = source.GetGeoTransform()
band_array = source.GetRasterBand(1).ReadAsArray()
# Close raster
source = None
# Compute mid-point grid spacings
ax = array([gt[0] + ix*gt[1] + gt[1]/2.0 for ix in range(nx)])
ay = array([gt[3] + iy*gt[5] + gt[5]/2.0 for iy in range(ny)])
Jusqu'à présent, j'ai essayé la fonction interp2d de SciPy :
from scipy import interpolate
bilinterp = interpolate.interp2d(ax, ay, band_array, kind='linear')
cependant, j'obtiens une erreur de mémoire sur mon système Windows 32 bits avec un raster 317 × 301:
Traceback (most recent call last):
File "<interactive input>", line 1, in <module>
File "C:\Python25\Lib\site-packages\scipy\interpolate\interpolate.py", line 125, in __init__
self.tck = fitpack.bisplrep(self.x, self.y, self.z, kx=kx, ky=ky, s=0.)
File "C:\Python25\Lib\site-packages\scipy\interpolate\fitpack.py", line 873, in bisplrep
tx,ty,nxest,nyest,wrk,lwrk1,lwrk2)
MemoryError
Je l'admets, j'ai une confiance limitée dans cette fonction SciPy, car les paramètres bounds_error
ou fill_value
ne fonctionnent pas comme indiqué. Je ne vois pas pourquoi je devrais avoir une erreur de mémoire, car mon raster est 317 × 301, et l' algorithme bilinéaire ne devrait pas être difficile.
Quelqu'un a-t-il rencontré un bon algorithme d'interpolation bilinéaire, de préférence en Python, éventuellement adapté avec NumPy? Des astuces ou des conseils?
(Remarque: l' algorithme d'interpolation du plus proche voisin est un gâteau facile:
from numpy import argmin, NAN
def nearest_neighbor(px, py, no_data=NAN):
'''Nearest Neighbor point at (px, py) on band_array
example: nearest_neighbor(2790501.920, 6338905.159)'''
ix = int(round((px - (gt[0] + gt[1]/2.0))/gt[1]))
iy = int(round((py - (gt[3] + gt[5]/2.0))/gt[5]))
if (ix < 0) or (iy < 0) or (ix > nx - 1) or (iy > ny - 1):
return no_data
else:
return band_array[iy, ix]
... mais je préfère de loin les méthodes d'interpolation bilinéaire)
gt
.
MemoryError
parce que NumPy essaie d'accéder au-delà de votreband_array
? Vous devriez vérifierax
etay
.