Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add GDALDemProcessing, other cleanup #54

Merged
merged 4 commits into from
Oct 16, 2020
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 2 additions & 2 deletions .eslintrc
Original file line number Diff line number Diff line change
Expand Up @@ -51,7 +51,7 @@
"keyword-spacing": [2, {"before": true, "after": true}],
"linebreak-style": 0,
"max-depth": 0,
"max-len": [2, 120, 4],
"max-len": [2, 100, 4],
"max-nested-callbacks": 0,
"max-params": 0,
"max-statements": 0,
Expand Down Expand Up @@ -155,7 +155,7 @@
"operator-linebreak": [2, "after"],
"padded-blocks": 0,
"quote-props": 0,
"quotes": [2, "single", "avoid-escape"],
"quotes": [2, "single", {"allowTemplateLiterals": true, "avoidEscape": true}],
"radix": 2,
"semi": [2, "always"],
"semi-spacing": 0,
Expand Down
2 changes: 2 additions & 0 deletions CHANGELOG
Original file line number Diff line number Diff line change
@@ -1,6 +1,8 @@
## Upcoming release
- Add information on contributing to the README
- Apply code auto-formatting
- Improve error messages with originating function names
- Add GDALDataset.render() to provide gdaldem functionality

## 1.0.0-rc.1 (2020-07-24)
- Add loam.rasterize() wrapper for GDALRasterize()
Expand Down
13 changes: 13 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -138,6 +138,19 @@ Image reprojection and warping utility. This is the equivalent of the [gdalwarp]
#### Return value
A promise that resolves to a new `GDALDataset`.

<br />

### `GDALDataset.render(mode, args, colors)`
Utility for rendering and computing DEM metrics. This is the equivalent of the [gdaldem](https://gdal.org/programs/gdaldem.html) command.

**Note**: This returns a new `GDALDataset` object but does not perform any immediate calculation. Instead, calls to `.render()` are evaluated lazily (as with `convert()` and `warp()`, above). The render operation is only evaluated when necessary in order to access some property of the dataset, such as its size, bytes, or band count. Successive calls to `.warp()` and `.convert()` can be lazily chained onto datasets produced by `.render()`, and vice-versa.
#### Parameters
- `mode`: One of ['hillshade', 'slope','aspect', 'color-relief', 'TRI', 'TPI', 'roughness']. See the [`gdaldem documentation`](https://gdal.org/programs/gdaldem.html#cmdoption-arg-mode) for an explanation of the function of each mode.
- `args`: An array of strings, each representing a single [command-line argument](https://gdal.org/programs/gdaldem.html#synopsis) accepted by the `gdaldem` command. The `inputdem` and `output_xxx_map` parameters should be omitted; these are handled by `GDALDataset`. Example: `ds.render('hillshade', ['-of', 'PNG'])`

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Ensuring that inputdem and output aren't in this array when a user calls the function doesn't seem to really be a thing that could be validated in code, right? You'd just be looking for a string filename and presumably if you passed them in args the existing error handling would throw with a somewhat helpful error?

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is a good question -- I don't know what will happen if the user erroneously puts in an input or output filename. I'll write a test for it and see what happens. But yeah, my hope is that the GDAL argument parsing will be able to provide helpful feedback in this case, because it would basically end up with two of them.

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Looks like it says something along the lines of Too many command options 'input.tif', which is not totally clear about what's going on but at least identifies the problematic argument correctly. I think seeing that would drive most users to try removing the input.tif option as a first step, and that would be the right thing to do even though the explanation wouldn't have reinforced that the filenames are handled internally.

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

As a note, I'm not including the test I wrote because all the relevant functionality is on the GDAL side so the test wouldn't exercise any Loam code that doesn't already have a test.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

That error seems to be good enough for now. If this trips people up in the future, we could look for the "Too many command options" part of the error message and append something like "Be sure you're not including your input and output tif paths to args." to it. Otherwise, like you said, doesn't seem to be much can be done.

- `colors`: If (and only if) `mode` is equal to 'color-relief', an array of strings representing lines in [the color text file](https://gdal.org/programs/gdaldem.html#color-relief). Example: `ds.render('color-relief', ['-of', 'PNG'], ['993.0 255 0 0'])`. See the [`gdaldem documentation`](https://gdal.org/programs/gdaldem.html#cmdoption-arg-color_text_file) for an explanation of the text file syntax.
#### Return value
A promise that resolves to a new `GDALDataset`.

# Developing

After cloning,
Expand Down
18 changes: 18 additions & 0 deletions src/gdalDataset.js
Original file line number Diff line number Diff line change
Expand Up @@ -70,6 +70,24 @@ export class GDALDataset {
});
}

render(mode, args, colors) {
return new Promise((resolve, reject) => {
// DEMProcessing requires an auxiliary color definition file in some cases, so the API
// can't be easily represented as an array of strings. This packs the user-friendly
// interface of render() into an array that the worker communication machinery can
// easily make use of. It'll get unpacked inside the worker. Yet another reason to use
// something like comlink (#49)
const cliOrderArgs = [mode, colors].concat(args);

resolve(
new GDALDataset(
this.source,
this.operations.concat(new DatasetOperation('GDALDEMProcessing', cliOrderArgs))
)
);
});
}

close() {
return new Promise((resolve, reject) => {
const warningMsg =
Expand Down
11 changes: 6 additions & 5 deletions src/stringParamAllocator.js
Original file line number Diff line number Diff line change
Expand Up @@ -23,16 +23,17 @@ export default class ParamParser {
let argPtrsArray = Uint32Array.from(
self.args
.map((argStr) => {
return Module._malloc(Module.lengthBytesUTF8(argStr) + 1); // +1 for the null terminator byte
// +1 for the null terminator byte
return Module._malloc(Module.lengthBytesUTF8(argStr) + 1);
})
.concat([0])
);
// ^ In addition to each individual argument being null-terminated, the GDAL docs specify that
// GDALTranslateOptionsNew takes its options passed in as a null-terminated array of
// ^ In addition to each individual argument being null-terminated, the GDAL docs specify
// that GDALTranslateOptionsNew takes its options passed in as a null-terminated array of
// pointers, so we have to add on a null (0) byte at the end.

// Next, we need to write each string from the JS string array into the Emscripten heap space
// we've allocated for it.
// Next, we need to write each string from the JS string array into the Emscripten heap
// space we've allocated for it.
self.args.forEach(function (argStr, i) {
Module.stringToUTF8(argStr, argPtrsArray[i], Module.lengthBytesUTF8(argStr) + 1);
});
Expand Down
15 changes: 15 additions & 0 deletions src/worker.js
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,7 @@
import wGDALOpen from './wrappers/gdalOpen.js';
import wGDALRasterize from './wrappers/gdalRasterize.js';
import wGDALClose from './wrappers/gdalClose.js';
import wGDALDEMProcessing from './wrappers/gdalDemProcessing.js';
import wGDALGetRasterCount from './wrappers/gdalGetRasterCount.js';
import wGDALGetRasterXSize from './wrappers/gdalGetRasterXSize.js';
import wGDALGetRasterYSize from './wrappers/gdalGetRasterYSize.js';
Expand Down Expand Up @@ -143,6 +144,19 @@ self.Module = {
errorHandling,
DATASETPATH
);
registry.GDALDEMProcessing = wGDALDEMProcessing(
self.Module.cwrap('GDALDEMProcessing', 'number', [
'string', // Destination dataset path or NULL
'number', // GDALDatasetH destination dataset
// eslint-disable-next-line max-len
'string', // The processing to apply (one of "hillshade", "slope", "aspect", "color-relief", "TRI", "TPI", "roughness")
'string', // Color file path (when previous is "hillshade") or NULL (otherwise)
'number', // GDALDEMProcessingOptions *
'number', // int * to use for error reporting
]),
errorHandling,
DATASETPATH
);
registry.LoamFlushFS = function () {
let datasetFolders = FS.lookupPath(DATASETPATH).node.contents;

Expand Down Expand Up @@ -230,6 +244,7 @@ onmessage = function (msg) {
postMessage({
success: false,
message:
// eslint-disable-next-line max-len
'Worker could not parse message: either func + args or accessor + dataset is required',
id: msg.data.id,
});
Expand Down
5 changes: 3 additions & 2 deletions src/wrappers/gdalClose.js
Original file line number Diff line number Diff line change
Expand Up @@ -14,13 +14,14 @@ export default function (GDALClose, errorHandling) {
let errorType = errorHandling.CPLGetLastErrorType();

// Check for errors; throw if error is detected
// Note that due to https://github.com/ddohler/gdal-js/issues/38 this can only check for
// CEFatal errors in order to avoid raising an exception on GDALClose
if (
errorType === errorHandling.CPLErr.CEFailure ||
errorType === errorHandling.CPLErr.CEFatal
) {
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALClose: ' + message);
} else {
return result;
}
Expand Down
144 changes: 144 additions & 0 deletions src/wrappers/gdalDemProcessing.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,144 @@
/* global Module, FS, MEMFS */
import randomKey from '../randomKey.js';
import guessFileExtension from '../guessFileExtension.js';
import ParamParser from '../stringParamAllocator.js';

// TODO: This is another good reason to switch to Typescript #55
const DEMProcessingModes = Object.freeze({
hillshade: 'hillshade',
slope: 'slope',
aspect: 'aspect',
'color-relief': 'color-relief',
TRI: 'TRI',
TPI: 'TPI',
roughness: 'roughness',
});

export default function (GDALDEMProcessing, errorHandling, rootPath) {
/* mode: one of the options in DEMProcessingModes
* colors: Array of strings matching the format of the color file defined at
* https://gdal.org/programs/gdaldem.html#color-relief
* args: Array of strings matching the remaining arguments of gdaldem, excluding output filename
*/
return function (dataset, packedArgs) {
// TODO: Make this unnecessary by switching to comlink or similar (#49)
const mode = packedArgs[0];
const colors = packedArgs[1];
const args = packedArgs.slice(2);

if (!mode || !DEMProcessingModes.hasOwnProperty(mode)) {
throw new Error(`mode must be one of {Object.keys(DEMProcessingModes)}`);
} else if (mode === DEMProcessingModes['color-relief'] && !colors) {
throw new Error(
'A color definition array must be provided if `mode` is "color-relief"'
);
} else if (mode !== DEMProcessingModes['color-relief'] && colors && colors.length > 0) {
throw new Error(
'A color definition array should not be provided if `mode` is not "color-relief"'
);
}

// If mode is hillshade, we need to create a color file path
let colorFilePath = null;

if (mode === DEMProcessingModes['color-relief']) {
colorFilePath = rootPath + randomKey() + '.txt';

FS.writeFile(colorFilePath, colors.join('\n'));
}
let params = new ParamParser(args);

params.allocate();

// argPtrsArrayPtr is now the address of the start of the list of
// pointers in Emscripten heap space. Each pointer identifies the address of the start of a
// parameter string, also stored in heap space. This is the direct equivalent of a char **,
// which is what GDALDEMProcessingOptionsNew requires.
const demOptionsPtr = Module.ccall(
'GDALDEMProcessingOptionsNew',
'number',
['number', 'number'],
[params.argPtrsArrayPtr, null]
);

// Validate that the options were correct
const optionsErrType = errorHandling.CPLGetLastErrorType();

if (
optionsErrType === errorHandling.CPLErr.CEFailure ||
optionsErrType === errorHandling.CPLErr.CEFatal
) {
if (colorFilePath) {
FS.unlink(colorFilePath);
}
params.deallocate();
const message = errorHandling.CPLGetLastErrorMsg();

throw new Error('Error in GDALDEMProcessing: ' + message);
}

// Now that we have our options, we need to make a file location to hold the output.
let directory = rootPath + randomKey();

FS.mkdir(directory);
// This makes it easier to remove later because we can just unmount rather than recursing
// through the whole directory structure.
FS.mount(MEMFS, {}, directory);
let filename = randomKey(8) + '.' + guessFileExtension(args);

let filePath = directory + '/' + filename;

// And then we can kick off the actual processing.
// The last parameter is an int* that can be used to detect certain kinds of errors,
// but I'm not sure how it works yet and whether it gives the same or different information
// than CPLGetLastErrorType.
// Malloc ourselves an int and set it to 0 (False)
let usageErrPtr = Module._malloc(Int32Array.BYTES_PER_ELEMENT);

Module.setValue(usageErrPtr, 0, 'i32');

let newDatasetPtr = GDALDEMProcessing(
filePath, // Output
dataset,
mode,
colorFilePath,
demOptionsPtr,
usageErrPtr
);

let errorType = errorHandling.CPLGetLastErrorType();
// If we ever want to use the usage error pointer:
// let usageErr = Module.getValue(usageErrPtr, 'i32');

// The final set of cleanup we need to do, in a function to avoid writing it twice.
function cleanUp() {
if (colorFilePath) {
FS.unlink(colorFilePath);
}
Module.ccall('GDALDEMProcessingOptionsFree', null, ['number'], [demOptionsPtr]);
Module._free(usageErrPtr);
params.deallocate();
}

// Check for errors; clean up and throw if error is detected
if (
errorType === errorHandling.CPLErr.CEFailure ||
errorType === errorHandling.CPLErr.CEFatal
) {
cleanUp();
const message = errorHandling.CPLGetLastErrorMsg();

throw new Error('Error in GDALDEMProcessing: ' + message);
} else {
const result = {
datasetPtr: newDatasetPtr,
filePath: filePath,
directory: directory,
filename: filename,
};

cleanUp();
return result;
}
};
}
6 changes: 3 additions & 3 deletions src/wrappers/gdalGetGeoTransform.js
Original file line number Diff line number Diff line change
Expand Up @@ -33,10 +33,10 @@ export default function (GDALGetGeoTransform, errorHandling) {
Module._free(byteOffset);
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALGetGeoTransform: ' + message);
} else {
// To avoid memory leaks in the Emscripten heap, we need to free up the memory we allocated
// after we've converted it into a Javascript object.
// To avoid memory leaks in the Emscripten heap, we need to free up the memory we
// allocated after we've converted it into a Javascript object.
let result = Array.from(geoTransform);

Module._free(byteOffset);
Expand Down
2 changes: 1 addition & 1 deletion src/wrappers/gdalGetProjectionRef.js
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ export default function (GDALGetProjectionRef, errorHandling) {
) {
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALGetProjectionRef: ' + message);
} else {
return result;
}
Expand Down
2 changes: 1 addition & 1 deletion src/wrappers/gdalGetRasterCount.js
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ export default function (GDALGetRasterCount, errorHandling) {
) {
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALGetRasterCount: ' + message);
} else {
return result;
}
Expand Down
2 changes: 1 addition & 1 deletion src/wrappers/gdalGetRasterXSize.js
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ export default function (GDALGetRasterXSize, errorHandling) {
) {
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALGetRasterXSize: ' + message);
} else {
return result;
}
Expand Down
2 changes: 1 addition & 1 deletion src/wrappers/gdalGetRasterYSize.js
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ export default function (GDALGetRasterYSize, errorHandling) {
) {
let message = errorHandling.CPLGetLastErrorMsg();

throw Error(message);
throw Error('Error in GDALGetRasterYSize: ' + message);
} else {
return result;
}
Expand Down
2 changes: 1 addition & 1 deletion src/wrappers/gdalOpen.js
Original file line number Diff line number Diff line change
Expand Up @@ -31,7 +31,7 @@ export default function (GDALOpen, errorHandling, rootPath) {
FS.rmdir(directory);
let message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALOpen: ' + message);
} else {
return {
datasetPtr: datasetPtr,
Expand Down
9 changes: 5 additions & 4 deletions src/wrappers/gdalRasterize.js
Original file line number Diff line number Diff line change
Expand Up @@ -40,11 +40,12 @@ export default function (GDALRasterize, errorHandling, rootPath) {
params.deallocate();
const message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALRasterize: ' + message);
}

// Now that we have our translate options, we need to make a file location to hold the output.
let directory = rootPath + '/' + randomKey();
// Now that we have our translate options, we need to make a file location to hold the
// output.
let directory = rootPath + randomKey();

FS.mkdir(directory);
// This makes it easier to remove later because we can just unmount rather than recursing
Expand Down Expand Up @@ -93,7 +94,7 @@ export default function (GDALRasterize, errorHandling, rootPath) {
cleanUp();
const message = errorHandling.CPLGetLastErrorMsg();

throw new Error(message);
throw new Error('Error in GDALRasterize: ' + message);
} else {
const result = {
datasetPtr: newDatasetPtr,
Expand Down
Loading