Pythonのラスター上のポイントデータの双線形補間?


12

いくつかのポイント補間を行いたいラスターがあります。ここに私がいる場所があります:

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)])

これまで、SciPyのinterp2d関数を試しました。

from scipy import interpolate
bilinterp = interpolate.interp2d(ax, ay, band_array, kind='linear')

しかし、317 x 301ラスターの32ビットWindowsシステムでメモリエラーが発生します。

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

bounds_errorまたは、fill_valueパラメータが記載されているとおりに機能しないため、このSciPy関数には自信がありません。ラスタが317×301であり、バイリニアアルゴリズムが難しくないため、メモリエラーが発生する理由がわかりません。

できればPythonで、おそらくNumPyで調整された、優れた双線形補間アルゴリズムに出会った人はいますか?ヒントやアドバイスはありますか?


(注:最近傍補間アルゴリズムは簡単です:

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]

...しかし、私は双線形補間法を好みます)


1
MemoryErrorNumPyがあなたを超えてアクセスしようとするので、たぶんあなたは得るでしょうband_arrayか?とを確認する必要がaxありayます。
-olt

1
グリッドがまったく回転していない場合、ax、ayに問題がある可能性があります。補間点をピクセルまたはデータ座標に変換する方が良い場合があります。また、それらにオフバイワンの問題がある場合は、バンドのサイズを超えている可能性があります。
デイブX 14

正しい回転したグリッドは、グリッド空間に変換してから座標空間に戻す必要があります。これには、のアフィン変換係数の逆数が必要gtです。
マイクT 14

回答:


7

以下の式(Wikipediaから)をPythonに変換して、次のアルゴリズムを生成しました。

from numpy import floor, NAN

def bilinear(px, py, no_data=NAN):
    '''Bilinear interpolated point at (px, py) on band_array
    example: bilinear(2790501.920, 6338905.159)'''
    ny, nx = band_array.shape
    # Half raster cell widths
    hx = gt[1]/2.0
    hy = gt[5]/2.0
    # Calculate raster lower bound indices from point
    fx = (px - (gt[0] + hx))/gt[1]
    fy = (py - (gt[3] + hy))/gt[5]
    ix1 = int(floor(fx))
    iy1 = int(floor(fy))
    # Special case where point is on upper bounds
    if fx == float(nx - 1):
        ix1 -= 1
    if fy == float(ny - 1):
        iy1 -= 1
    # Upper bound indices on raster
    ix2 = ix1 + 1
    iy2 = iy1 + 1
    # Test array bounds to ensure point is within raster midpoints
    if (ix1 < 0) or (iy1 < 0) or (ix2 > nx - 1) or (iy2 > ny - 1):
        return no_data
    # Calculate differences from point to bounding raster midpoints
    dx1 = px - (gt[0] + ix1*gt[1] + hx)
    dy1 = py - (gt[3] + iy1*gt[5] + hy)
    dx2 = (gt[0] + ix2*gt[1] + hx) - px
    dy2 = (gt[3] + iy2*gt[5] + hy) - py
    # Use the differences to weigh the four raster values
    div = gt[1]*gt[5]
    return (band_array[iy1,ix1]*dx2*dy2/div +
            band_array[iy1,ix2]*dx1*dy2/div +
            band_array[iy2,ix1]*dx2*dy1/div +
            band_array[iy2,ix2]*dx1*dy1/div)

結果はソースデータよりも明らかに高い精度で返されることに注意してください。これは、NumPyのdtype('float64')データ型にアップクラス化されているためです。戻り値を使用.astype(band_array.dtype)して、出力データ型を入力配列と同じにすることができます。

双線形補間式


3

似たような結果になるようにローカルで試してみましたが、64ビットプラットフォームを使用しているため、メモリの制限に達しませんでした。代わりに、この例のよう、配列の小さな断片を一度に補間してみてください。

GDALでこれを行うこともできます。コマンドラインからは次のようになります。

gdalwarp -ts $XSIZE*2 0 -r bilinear input.tif interp.tif

Pythonで同等の操作を行うには、ReprojectImage()を使用します。

mem_drv = gdal.GetDriverByName('MEM')
dest = mem_drv.Create('', nx, ny, 1)

resample_by = 2
dt = (gt[0], gt[1] * resample_by, gt[2], gt[3], gt[4], gt[5] * resample_by)
dest.setGeoTransform(dt)

resampling_method = gdal.GRA_Bilinear    
res = gdal.ReprojectImage(source, dest, None, None, resampling_method)

# then, write the result to a file of your choice...    

補間したいポイントデータの間隔が規則的ではないため、GDALの組み込みReprojectImage手法を使用できません。
マイクT

1

私は過去に正確な問題を抱えていましたが、interpolate.interp2dを使用して解決したことはありません。scipy.ndimage.map_coordinatesを使用して成功しました。以下を試してください:

scipy.ndimage.map_coordinates(band_array、[ax、ay]]、order = 1)

これにより、双線形と同じ出力が得られるようです。


ソースラスタ座標がどのように使用されているのかわからないので(ピクセル座標を使用するのではなく)、私はこれに少しがっかりしました。多くのポイントを解決するために「ベクトル化」されています。
マイクT

同意しました、私は本当にスキッピーを理解していません。あなたのnumpyソリューションははるかに優れています。
マシュースネイプ

0

scipy.interpolate.interp2d()は、より現代的なscipyで正常に動作します。古いバージョンは不規則なグリッドを想定しており、通常のグリッドを利用していないと思います。scipyの場合と同じエラーが表示されます。バージョン = 0.11.0ですが、scipyで。バージョン = 0.14.0、1600x1600モデルの出力で問題なく動作します。

ご質問のヒントをありがとうございます。

#!/usr/bin/env python

from osgeo import gdal
from numpy import array
import argparse

parser = argparse.ArgumentParser()
parser.add_argument("filename",help='raster file from which to interpolate a (1/3,1/3) point from from')
args = parser.parse_args()

# Read raster
source = gdal.Open(args.filename)
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)])

from scipy import interpolate
bilinterp = interpolate.interp2d(ax, ay, band_array, kind='linear')

x1 = gt[0] + gt[1]*nx/3
y1 = gt[3] + gt[5]*ny/3.

print(nx, ny, x1,y1,bilinterp(x1,y1))

####################################

$ time ./interp2dTesting.py test.tif 
(1600, 1600, -76.322, 30.70889, array([-8609.27777778]))

real    0m4.086s
user    0m0.590s
sys 0m0.252s
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.