-
Notifications
You must be signed in to change notification settings - Fork 86
Expand file tree
/
Copy pathflow_path.py
More file actions
402 lines (336 loc) · 13.6 KB
/
flow_path.py
File metadata and controls
402 lines (336 loc) · 13.6 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
"""Trace downstream flow paths from start points through a D8 direction grid.
Given a set of start cells and a D8 flow direction grid, this module follows
the direction codes from each start cell to the outlet, writing the start
cell's label to every cell along the way. If two paths share downstream
cells, the last start point in raster-scan order overwrites earlier labels
(deterministic, matches the snap_pour_point convention).
Algorithm
---------
For each non-NaN cell in ``start_points``:
1. Walk the D8 flow direction grid: read the code at the current cell,
move to the neighbor it points to.
2. Write the start cell's label to each visited cell in the output.
3. Stop when the path hits NaN, code 0 (pit), out-of-bounds, or the
grid edge.
"""
from __future__ import annotations
import numpy as np
import xarray as xr
try:
import cupy
except ImportError:
class cupy: # type: ignore[no-redef]
ndarray = False
try:
import dask.array as da
except ImportError:
da = None
from xrspatial.flow_accumulation import _code_to_offset, _code_to_offset_py
from xrspatial.utils import (
_validate_raster,
has_cuda_and_cupy,
is_cupy_array,
is_dask_cupy,
ngjit,
)
from xrspatial.dataset_support import supports_dataset
# =====================================================================
# CPU kernel
# =====================================================================
@ngjit
def _flow_path_cpu(flow_dir, start_points, H, W):
"""Trace downstream paths from every non-NaN start point."""
out = np.empty((H, W), dtype=np.float64)
out[:] = np.nan
for r in range(H):
for c in range(W):
v = start_points[r, c]
if v != v: # NaN
continue
label = v
cr, cc = r, c
while True:
out[cr, cc] = label
code = flow_dir[cr, cc]
if code != code: # NaN
break
dy, dx = _code_to_offset(code)
if dy == 0 and dx == 0: # pit
break
nr = cr + dy
nc = cc + dx
if nr < 0 or nr >= H or nc < 0 or nc >= W:
break
cr, cc = nr, nc
return out
# =====================================================================
# CuPy backend
# =====================================================================
def _flow_path_cupy(flow_dir_data, start_points_data):
"""CuPy: convert to numpy, run CPU kernel, convert back."""
import cupy as cp
fd_np = flow_dir_data.get() if hasattr(flow_dir_data, 'get') else np.asarray(flow_dir_data)
sp_np = start_points_data.get() if hasattr(start_points_data, 'get') else np.asarray(start_points_data)
fd_np = fd_np.astype(np.float64)
sp_np = sp_np.astype(np.float64)
H, W = fd_np.shape
out = _flow_path_cpu(fd_np, sp_np, H, W)
return cp.asarray(out)
# =====================================================================
# Dask backend
# =====================================================================
def _group_cells_by_chunk(rows, cols, labels, chunks_y, chunks_x):
"""Group path cells by destination chunk using vectorized operations.
Parameters
----------
rows, cols : np.ndarray[int64]
Global row/col coordinates of path cells.
labels : np.ndarray[float64]
Label for each path cell.
chunks_y, chunks_x : tuple[int, ...]
Chunk sizes along each axis.
Returns
-------
dict[(iy, ix)] -> (local_rows, local_cols, labels)
Cells grouped by chunk, with coordinates converted to chunk-local.
"""
if len(rows) == 0:
return {}
# Cumulative offsets for chunk boundary lookup
row_offsets = np.cumsum(chunks_y)
col_offsets = np.cumsum(chunks_x)
n_tile_x = len(chunks_x)
# Map each cell to its chunk index
chunk_iy = np.searchsorted(row_offsets, rows, side='right')
chunk_ix = np.searchsorted(col_offsets, cols, side='right')
# Composite key for grouping; stable sort preserves raster-scan order
keys = chunk_iy * n_tile_x + chunk_ix
order = np.argsort(keys, kind='stable')
sorted_keys = keys[order]
sorted_rows = rows[order]
sorted_cols = cols[order]
sorted_labels = labels[order]
# Find group boundaries
breaks = np.nonzero(np.diff(sorted_keys))[0] + 1
starts = np.empty(len(breaks) + 1, dtype=np.intp)
starts[0] = 0
starts[1:] = breaks
ends = np.empty(len(breaks) + 1, dtype=np.intp)
ends[:-1] = breaks
ends[-1] = len(sorted_keys)
# Row/col offsets with a leading zero for local coord conversion
row_off = np.empty(len(chunks_y), dtype=np.int64)
row_off[0] = 0
row_off[1:] = row_offsets[:-1]
col_off = np.empty(len(chunks_x), dtype=np.int64)
col_off[0] = 0
col_off[1:] = col_offsets[:-1]
result = {}
for g in range(len(starts)):
s, e = starts[g], ends[g]
iy = int(chunk_iy[order[s]])
ix = int(chunk_ix[order[s]])
local_r = sorted_rows[s:e] - row_off[iy]
local_c = sorted_cols[s:e] - col_off[ix]
result[(iy, ix)] = (local_r, local_c, sorted_labels[s:e])
return result
def _flow_path_dask(flow_dir_data, start_points_data):
"""Dask: extract sparse start points, trace paths, lazy assembly.
Start points are sparse. A ``map_blocks`` pass reduces each chunk
of ``start_points`` to a 1-byte flag, then only flagged chunks are
loaded to extract coordinates. Paths are traced through
``flow_dir`` with an LRU cache bounding memory use. The output is
assembled lazily via ``map_blocks``.
"""
from functools import lru_cache
H, W = flow_dir_data.shape
chunks_y = start_points_data.chunks[0]
chunks_x = start_points_data.chunks[1]
# --- Phase 1: identify which chunks contain start points ----------
def _has_sp(block):
return np.array(
[[np.any(~np.isnan(np.asarray(block))).item()]],
dtype=np.int8,
)
flags = da.map_blocks(
_has_sp, start_points_data,
dtype=np.int8,
chunks=tuple((1,) * len(c) for c in start_points_data.chunks),
).compute()
# --- Phase 2: load only flagged chunks, extract coordinates -------
points = [] # list of (global_row, global_col, label)
row_off = 0
for iy, cy in enumerate(chunks_y):
col_off = 0
for ix, cx in enumerate(chunks_x):
if flags[iy, ix]:
chunk = np.asarray(
start_points_data.blocks[iy, ix].compute(),
dtype=np.float64,
)
rs, cs = np.where(~np.isnan(chunk))
for k in range(len(rs)):
points.append((
row_off + int(rs[k]),
col_off + int(cs[k]),
float(chunk[rs[k], cs[k]]),
))
col_off += cx
row_off += cy
# --- Phase 3: trace paths through flow_dir with LRU cache ---------
fd_chunks_y = flow_dir_data.chunks[0]
fd_chunks_x = flow_dir_data.chunks[1]
# Precompute cumulative offsets for chunk lookups
fd_row_offsets = np.zeros(len(fd_chunks_y) + 1, dtype=np.int64)
for i, cy in enumerate(fd_chunks_y):
fd_row_offsets[i + 1] = fd_row_offsets[i] + cy
fd_col_offsets = np.zeros(len(fd_chunks_x) + 1, dtype=np.int64)
for i, cx in enumerate(fd_chunks_x):
fd_col_offsets[i + 1] = fd_col_offsets[i] + cx
# Adaptive LRU: cap cached chunks at ~512 MB total
max_chunk_bytes = max(
int(cy) * int(cx) * 8
for cy in fd_chunks_y for cx in fd_chunks_x
)
cache_size = max(4, (512 * 1024 * 1024) // max(max_chunk_bytes, 1))
@lru_cache(maxsize=cache_size)
def _get_chunk(iy, ix):
return np.asarray(
flow_dir_data.blocks[iy, ix].compute(), dtype=np.float64)
def _find_chunk(r, c):
"""Return (chunk_iy, chunk_ix, local_r, local_c)."""
iy = int(np.searchsorted(fd_row_offsets[1:], r, side='right'))
ix = int(np.searchsorted(fd_col_offsets[1:], c, side='right'))
return iy, ix, r - int(fd_row_offsets[iy]), c - int(fd_col_offsets[ix])
# Growable numpy buffers instead of list-of-tuples (~24 bytes/cell
# vs ~164 bytes/cell for Python tuples).
_init_cap = max(1024, len(points) * 4)
_buf_rows = np.empty(_init_cap, dtype=np.int64)
_buf_cols = np.empty(_init_cap, dtype=np.int64)
_buf_labels = np.empty(_init_cap, dtype=np.float64)
_buf_len = 0
for r, c, label in points:
cr, cc = r, c
while True:
# Grow buffers if needed (doubling strategy)
if _buf_len >= len(_buf_rows):
new_cap = len(_buf_rows) * 2
_new_rows = np.empty(new_cap, dtype=np.int64)
_new_rows[:_buf_len] = _buf_rows[:_buf_len]
_buf_rows = _new_rows
_new_cols = np.empty(new_cap, dtype=np.int64)
_new_cols[:_buf_len] = _buf_cols[:_buf_len]
_buf_cols = _new_cols
_new_labels = np.empty(new_cap, dtype=np.float64)
_new_labels[:_buf_len] = _buf_labels[:_buf_len]
_buf_labels = _new_labels
_buf_rows[_buf_len] = cr
_buf_cols[_buf_len] = cc
_buf_labels[_buf_len] = label
_buf_len += 1
iy, ix, lr, lc = _find_chunk(cr, cc)
chunk = _get_chunk(iy, ix)
code = chunk[lr, lc]
if np.isnan(code):
break
dy, dx = _code_to_offset_py(code)
if dy == 0 and dx == 0:
break
nr = cr + dy
nc = cc + dx
if nr < 0 or nr >= H or nc < 0 or nc >= W:
break
cr, cc = nr, nc
# Trim to actual length (slice view, no copy)
path_rows = _buf_rows[:_buf_len]
path_cols = _buf_cols[:_buf_len]
path_labels = _buf_labels[:_buf_len]
# Release cached flow_dir chunks before assembly
_get_chunk.cache_clear()
# --- Phase 4: chunk-indexed assembly via map_blocks ---------------
_grouped = _group_cells_by_chunk(
path_rows, path_cols, path_labels,
flow_dir_data.chunks[0], flow_dir_data.chunks[1],
)
def _assemble_block(block, block_info=None):
if block_info is None or 0 not in block_info:
return np.full(block.shape, np.nan, dtype=np.float64)
loc = block_info[0]['chunk-location']
out = np.full(block.shape, np.nan, dtype=np.float64)
group = _grouped.get((loc[0], loc[1]))
if group is not None:
local_r, local_c, lbls = group
out[local_r, local_c] = lbls
return out
dummy = da.zeros((H, W), chunks=flow_dir_data.chunks, dtype=np.float64)
return da.map_blocks(
_assemble_block, dummy,
dtype=np.float64,
meta=np.array((), dtype=np.float64),
)
# =====================================================================
# Dask+CuPy backend
# =====================================================================
def _flow_path_dask_cupy(flow_dir_data, start_points_data):
"""Dask+CuPy: convert cupy chunks to numpy, run dask path, convert back."""
import cupy as cp
fd_np = flow_dir_data.map_blocks(
lambda b: b.get(), dtype=flow_dir_data.dtype,
meta=np.array((), dtype=flow_dir_data.dtype),
)
sp_np = start_points_data.map_blocks(
lambda b: b.get(), dtype=start_points_data.dtype,
meta=np.array((), dtype=start_points_data.dtype),
)
result = _flow_path_dask(fd_np, sp_np)
return result.map_blocks(
cp.asarray, dtype=result.dtype,
meta=cp.array((), dtype=result.dtype),
)
# =====================================================================
# Public API
# =====================================================================
@supports_dataset
def flow_path(flow_dir: xr.DataArray,
start_points: xr.DataArray,
name: str = 'flow_path') -> xr.DataArray:
"""Trace downstream flow paths from start points through a D8 grid.
Parameters
----------
flow_dir : xarray.DataArray or xr.Dataset
2D D8 flow direction grid (codes 0/1/2/4/8/16/32/64/128;
NaN for nodata).
start_points : xarray.DataArray
2D raster where non-NaN cells are path starting locations.
Values are preserved as labels along the traced path.
name : str, default 'flow_path'
Name of output DataArray.
Returns
-------
xarray.DataArray or xr.Dataset
Same-shape grid where each cell on a traced path carries
the label of its originating start point. All other cells
are NaN. If paths overlap, the last start point in
raster-scan order wins.
"""
_validate_raster(flow_dir, func_name='flow_path', name='flow_dir')
fd_data = flow_dir.data
sp_data = start_points.data
if isinstance(fd_data, np.ndarray):
fd = fd_data.astype(np.float64)
sp = np.asarray(sp_data, dtype=np.float64)
H, W = fd.shape
out = _flow_path_cpu(fd, sp, H, W)
elif has_cuda_and_cupy() and is_cupy_array(fd_data):
out = _flow_path_cupy(fd_data, sp_data)
elif has_cuda_and_cupy() and is_dask_cupy(flow_dir):
out = _flow_path_dask_cupy(fd_data, sp_data)
elif da is not None and isinstance(fd_data, da.Array):
out = _flow_path_dask(fd_data, sp_data)
else:
raise TypeError(f"Unsupported array type: {type(fd_data)}")
return xr.DataArray(out,
name=name,
coords=flow_dir.coords,
dims=flow_dir.dims,
attrs=flow_dir.attrs)