-
Notifications
You must be signed in to change notification settings - Fork 187
Expand file tree
/
Copy pathrho8_pointer.rs
More file actions
executable file
·373 lines (339 loc) · 13.7 KB
/
rho8_pointer.rs
File metadata and controls
executable file
·373 lines (339 loc) · 13.7 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
/*
This tool is part of the WhiteboxTools geospatial analysis library.
Authors: Dr. John Lindsay
Created: 16/07/2017
Last Modified: 18/10/2019
License: MIT
*/
use whitebox_raster::*;
use crate::tools::*;
use num_cpus;
use rand::prelude::*;
use std::env;
use std::f64;
use std::io::{Error, ErrorKind};
use std::path;
use std::sync::mpsc;
use std::sync::Arc;
use std::thread;
use whitebox_common::structures::Array2D;
/// This tool is used to generate a flow pointer grid (i.e. flow direction) using the stochastic
/// Rho8 (J. Fairfield and P. Leymarie, 1991) algorithm. Like the D8 flow algorithm (`D8Pointer`),
/// Rho8 is a single-flow-direction (SFD) method because the flow entering each grid cell is routed
/// to only one downslope neighbour, i.e. flow divergence is not permitted. The user must specify the
/// name of a digital elevation model (DEM) file (`--dem`) that has been hydrologically corrected to
/// remove all spurious depressions and flat areas (`BreachDepressions`, `FillDepressions`). An
/// optional positive integer seed value (`--seed`) can be provided to ensure reproducible results. The
/// output of this tool (`--output`) is often used as the input to the `Rho8FlowAccumulation` tool.
///
/// By default, the Rho8 flow pointers use the following clockwise, base-2 numeric index convention:
///
/// | . | . | . |
/// |:--:|:---:|:--:|
/// | 64 | 128 | 1 |
/// | 32 | 0 | 2 |
/// | 16 | 8 | 4 |
///
/// Notice that grid cells that have no lower neighbours are assigned a flow direction of zero. In a DEM that has been
/// pre-processed to remove all depressions and flat areas, this condition will only occur along the edges of the grid.
/// If the pointer file contains ESRI flow direction values instead, the `--esri_pntr` parameter must be specified.
///
/// Grid cells possessing the NoData value in the input DEM are assigned the NoData value in the output image.
///
/// # Memory Usage
/// The peak memory usage of this tool is approximately 10 bytes per grid cell.
///
/// # References
/// Fairfield, J., and Leymarie, P. 1991. Drainage networks from grid digital elevation models. *Water
/// Resources Research*, 27(5), 709-717.
///
/// # See Also
/// `Rho8FlowAccumulation`, `D8Pointer`, `FD8Pointer`, `DInfPointer`, `BreachDepressions`, `FillDepressions`
pub struct Rho8Pointer {
name: String,
description: String,
toolbox: String,
parameters: Vec<ToolParameter>,
example_usage: String,
}
impl Rho8Pointer {
pub fn new() -> Rho8Pointer {
// public constructor
let name = "Rho8Pointer".to_string();
let toolbox = "Hydrological Analysis".to_string();
let description =
"Calculates a stochastic Rho8 flow pointer raster from an input DEM.".to_string();
let mut parameters = vec![];
parameters.push(ToolParameter {
name: "Input DEM File".to_owned(),
flags: vec!["-i".to_owned(), "--dem".to_owned()],
description: "Input raster DEM file.".to_owned(),
parameter_type: ParameterType::ExistingFile(ParameterFileType::Raster),
default_value: None,
optional: false,
});
parameters.push(ToolParameter {
name: "Output File".to_owned(),
flags: vec!["-o".to_owned(), "--output".to_owned()],
description: "Output raster file.".to_owned(),
parameter_type: ParameterType::NewFile(ParameterFileType::Raster),
default_value: None,
optional: false,
});
parameters.push(ToolParameter {
name: "Should the pointer file use the ESRI pointer scheme?".to_owned(),
flags: vec!["--esri_pntr".to_owned()],
description: "D8 pointer uses the ESRI style scheme.".to_owned(),
parameter_type: ParameterType::Boolean,
default_value: Some("false".to_owned()),
optional: true,
});
parameters.push(ToolParameter {
name: "Seed".to_owned(),
flags: vec!["--seed".to_owned()],
description: "Seed to initialize stochastic function.".to_owned(),
parameter_type: ParameterType::Integer,
default_value: None,
optional: false,
});
let sep: String = path::MAIN_SEPARATOR.to_string();
let e = format!("{}", env::current_exe().unwrap().display());
let mut parent = env::current_exe().unwrap();
parent.pop();
let p = format!("{}", parent.display());
let mut short_exe = e
.replace(&p, "")
.replace(".exe", "")
.replace(".", "")
.replace(&sep, "");
if e.contains(".exe") {
short_exe += ".exe";
}
let usage = format!(
">>.*{} -r={} -v --wd=\"*path*to*data*\" --dem=DEM.tif -o=output.tif",
short_exe, name
)
.replace("*", &sep);
Rho8Pointer {
name: name,
description: description,
toolbox: toolbox,
parameters: parameters,
example_usage: usage,
}
}
}
impl WhiteboxTool for Rho8Pointer {
fn get_source_file(&self) -> String {
String::from(file!())
}
fn get_tool_name(&self) -> String {
self.name.clone()
}
fn get_tool_description(&self) -> String {
self.description.clone()
}
fn get_tool_parameters(&self) -> String {
match serde_json::to_string(&self.parameters) {
Ok(json_str) => return format!("{{\"parameters\":{}}}", json_str),
Err(err) => return format!("{:?}", err),
}
}
fn get_example_usage(&self) -> String {
self.example_usage.clone()
}
fn get_toolbox(&self) -> String {
self.toolbox.clone()
}
fn run<'a>(
&self,
args: Vec<String>,
working_directory: &'a str,
verbose: bool,
) -> Result<(), Error> {
let mut input_file = String::new();
let mut output_file = String::new();
let mut esri_style = false;
let mut seed_flag = false;
let mut seed = 0u64;
if args.len() == 0 {
return Err(Error::new(
ErrorKind::InvalidInput,
"Tool run with no parameters.",
));
}
for i in 0..args.len() {
let mut arg = args[i].replace("\"", "");
arg = arg.replace("\'", "");
let cmd = arg.split("="); // in case an equals sign was used
let vec = cmd.collect::<Vec<&str>>();
let mut keyval = false;
if vec.len() > 1 {
keyval = true;
}
if vec[0].to_lowercase() == "-i"
|| vec[0].to_lowercase() == "--input"
|| vec[0].to_lowercase() == "--dem"
{
if keyval {
input_file = vec[1].to_string();
} else {
input_file = args[i + 1].to_string();
}
} else if vec[0].to_lowercase() == "-o" || vec[0].to_lowercase() == "--output" {
if keyval {
output_file = vec[1].to_string();
} else {
output_file = args[i + 1].to_string();
}
} else if vec[0].to_lowercase() == "-esri_pntr"
|| vec[0].to_lowercase() == "--esri_pntr"
|| vec[0].to_lowercase() == "--esri_style"
{
if vec.len() == 1 || !vec[1].to_string().to_lowercase().contains("false") {
esri_style = true;
}
} else if vec[0].to_lowercase() == "-seed"
|| vec[0].to_lowercase() == "--seed"
{
seed_flag = true;
seed = if keyval {
vec[1].to_string().parse::<u64>().unwrap()
} else {
args[i + 1].to_string().parse::<u64>().unwrap()
};
}
}
if verbose {
let tool_name = self.get_tool_name();
let welcome_len = format!("* Welcome to {} *", tool_name).len().max(28);
// 28 = length of the 'Powered by' by statement.
println!("{}", "*".repeat(welcome_len));
println!("* Welcome to {} {}*", tool_name, " ".repeat(welcome_len - 15 - tool_name.len()));
println!("* Powered by WhiteboxTools {}*", " ".repeat(welcome_len - 28));
println!("* www.whiteboxgeo.com {}*", " ".repeat(welcome_len - 23));
println!("{}", "*".repeat(welcome_len));
}
let sep: String = path::MAIN_SEPARATOR.to_string();
let mut progress: usize;
let mut old_progress: usize = 1;
if !input_file.contains(&sep) && !input_file.contains("/") {
input_file = format!("{}{}", working_directory, input_file);
}
if !output_file.contains(&sep) && !output_file.contains("/") {
output_file = format!("{}{}", working_directory, output_file);
}
if verbose {
println!("Reading data...")
};
let input = Arc::new(Raster::new(&input_file, "r")?);
let start = Instant::now();
let rows = input.configs.rows as isize;
let columns = input.configs.columns as isize;
let out_nodata = -32768i16;
let mut num_procs = num_cpus::get() as isize;
let configs = whitebox_common::configs::get_configs()?;
let max_procs = configs.max_procs;
if max_procs > 0 && max_procs < num_procs {
num_procs = max_procs;
}
let (tx, rx) = mpsc::channel();
for tid in 0..num_procs {
let input = input.clone();
let tx1 = tx.clone();
thread::spawn(move || {
let nodata = input.configs.nodata;
let d_x = [1, 1, 1, 0, -1, -1, -1, 0];
let d_y = [-1, 0, 1, 1, 1, 0, -1, -1];
let out_vals = match esri_style {
true => [128i16, 1, 2, 4, 8, 16, 32, 64],
false => [1i16, 2, 4, 8, 16, 32, 64, 128],
};
let (mut z, mut z_n, mut slope): (f64, f64, f64);
let mut rng = if seed_flag {
StdRng::seed_from_u64(seed + tid as u64)
} else {
StdRng::from_entropy()
};
for row in (0..rows).filter(|r| r % num_procs == tid) {
let mut data = vec![out_nodata; columns as usize];
for col in 0..columns {
z = input[(row, col)];
if z != nodata {
let mut dir = 0;
let mut max_slope = f64::MIN;
for i in 0..8 {
z_n = input[(row + d_y[i], col + d_x[i])];
if z_n != nodata {
slope = match i {
1 | 3 | 5 | 7 => z - z_n,
_ => (z - z_n) / (2f64 - rng.gen_range(0f64..1f64)),
};
if slope > max_slope && slope > 0f64 {
max_slope = slope;
dir = i;
}
}
}
if max_slope >= 0f64 {
data[col as usize] = out_vals[dir];
} else {
data[col as usize] = 0i16;
}
}
}
tx1.send((row, data)).unwrap();
}
});
}
let mut output: Array2D<i16> = Array2D::new(rows, columns, out_nodata, out_nodata)?;
for row in 0..rows {
let data = rx.recv().expect("Error receiving data from thread.");
output.set_row_data(data.0, data.1);
if verbose {
progress = (100.0_f64 * row as f64 / (rows - 1) as f64) as usize;
if progress != old_progress {
println!("Progress: {}%", progress);
old_progress = progress;
}
}
}
let in_configs = input.configs.clone();
drop(input);
let mut output_raster = Raster::initialize_using_array2d(&output_file, &in_configs, output);
let elapsed_time = get_formatted_elapsed_time(start);
output_raster.configs.nodata = out_nodata as f64;
output_raster.configs.data_type = DataType::I16;
output_raster.configs.palette = "qual.plt".to_string();
output_raster.configs.photometric_interp = PhotometricInterpretation::Categorical;
output_raster.add_metadata_entry(format!(
"Created by whitebox_tools\' {} tool",
self.get_tool_name()
));
output_raster.add_metadata_entry(format!("Input file: {}", input_file));
if esri_style {
output_raster.add_metadata_entry("ESRI-style output: true".to_string());
} else {
output_raster.add_metadata_entry("ESRI-style output: false".to_string());
}
output_raster.add_metadata_entry(format!("Elapsed Time (excluding I/O): {}", elapsed_time));
if verbose {
println!("Saving data...")
};
let _ = match output_raster.write() {
Ok(_) => {
if verbose {
println!("Output file written")
}
}
Err(e) => return Err(e),
};
if verbose {
println!(
"{}",
&format!("Elapsed Time (excluding I/O): {}", elapsed_time)
);
}
Ok(())
}
}