我是python的新手,我无法弄清楚如何找到给定纬度/经度点的最小距离(不是从网格中给出,而是由我选择)找到最接近的指数网格上的纬度/经度点。
基本上,我正在读取包含2D坐标的ncfile:
coords = 'coords.nc'
fh = Dataset(coords,mode='r')
lons = fh.variables['latitudes'][:,:]
lats = fh.variables['longitudes'][:,:]
fh.close()
>>> lons.shape
(94, 83)
>>> lats.shape
(94, 83)
我想在上面的网格中找到最近的lat lon到以下值的索引:
sel_lat=71.60556
sel_lon=-161.458611
我尝试使用lat / lon对来使用scipy.spatial.distance函数,但我仍然遇到问题,因为我没有将输入数组设置为它想要的格式,但我不明白怎么做:
latLon_pairsGrid = np.vstack(([lats.T],[lons.T])).T
>>> latLon_pairsGrid.shape
(94, 83, 2)
distance.cdist([sel_lat,sel_lon],latLon_pairsGrid,'euclidean')
任何帮助或提示都将不胜感激
答案 0 :(得分:1)
我认为我找到了答案,但它是一种解决方法,可以避免计算所选纬度/经度和网格上的纬度/经度之间的距离。这似乎并不完全准确,因为我从不计算距离,只是lat / lon值本身之间最接近的差异。
我使用问题find (i,j) location of closest (long,lat) values in a 2D array
的答案a = abs(lats-sel_lat)+abs(lons-sel_lon)
i,j = np.unravel_index(a.argmin(),a.shape)
使用那些返回的索引i,j,我可以在网格上找到与我选择的纬度最接近的坐标,lon值:
>>> lats[i,j]
71.490295
>>> lons[i,j]
-161.65045
答案 1 :(得分:1)
结帐pyresample包。它使用快速kdtree方法提供空间最近邻搜索:
import pyresample
import numpy as np
# Define lat-lon grid
lon = np.linspace(30, 40, 100)
lat = np.linspace(10, 20, 100)
lon_grid, lat_grid = np.meshgrid(lon, lat)
grid = pyresample.geometry.GridDefinition(lats=lat_grid, lons=lon_grid)
# Generate some random data on the grid
data_grid = np.random.rand(lon_grid.shape[0], lon_grid.shape[1])
# Define some sample points
my_lons = np.array([34.5, 36.5, 38.5])
my_lats = np.array([12.0, 14.0, 16.0])
swath = pyresample.geometry.SwathDefinition(lons=my_lons, lats=my_lats)
# Determine nearest (w.r.t. great circle distance) neighbour in the grid.
_, _, index_array, distance_array = pyresample.kd_tree.get_neighbour_info(
source_geo_def=grid, target_geo_def=swath, radius_of_influence=50000,
neighbours=1)
# get_neighbour_info() returns indices in the flattened lat/lon grid. Compute
# the 2D grid indices:
index_array_2d = np.unravel_index(index_array, grid.shape)
print "Indices of nearest neighbours:", index_array_2d
print "Longitude of nearest neighbours:", lon_grid[index_array_2d]
print "Latitude of nearest neighbours:", lat_grid[index_array_2d]
print "Great Circle Distance:", distance_array
还有一种简便方法可以直接获取最近网格点的数据值:
data_swath = pyresample.kd_tree.resample_nearest(
source_geo_def=grid, target_geo_def=swath, data=data_grid,
radius_of_influence=50000)
print "Data at nearest grid points:", data_swath