Coverage Report

Created: 2026-04-01 06:20

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/src/gdal/apps/gdalalg_raster_calc.cpp
Line
Count
Source
1
/******************************************************************************
2
 *
3
 * Project:  GDAL
4
 * Purpose:  "gdal raster calc" subcommand
5
 * Author:   Daniel Baston
6
 *
7
 ******************************************************************************
8
 * Copyright (c) 2025, ISciences LLC
9
 *
10
 * SPDX-License-Identifier: MIT
11
 ****************************************************************************/
12
13
#include "gdalalg_raster_calc.h"
14
15
#include "../frmts/vrt/gdal_vrt.h"
16
#include "../frmts/vrt/vrtdataset.h"
17
18
#include "cpl_float.h"
19
#include "cpl_vsi_virtual.h"
20
#include "gdal_priv.h"
21
#include "gdal_utils.h"
22
#include "vrtdataset.h"
23
24
#include <algorithm>
25
#include <optional>
26
27
//! @cond Doxygen_Suppress
28
29
#ifndef _
30
0
#define _(x) (x)
31
#endif
32
33
struct GDALCalcOptions
34
{
35
    GDALDataType dstType{GDT_Unknown};
36
    bool checkCRS{true};
37
    bool checkExtent{true};
38
};
39
40
static bool MatchIsCompleteVariableNameWithNoIndex(const std::string &str,
41
                                                   size_t from, size_t to)
42
0
{
43
0
    if (to < str.size())
44
0
    {
45
        // If the character after the end of the match is:
46
        // * alphanumeric or _ : we've matched only part of a variable name
47
        // * [ : we've matched a variable that already has an index
48
        // * ( : we've matched a function name
49
0
        if (std::isalnum(str[to]) || str[to] == '_' || str[to] == '[' ||
50
0
            str[to] == '(')
51
0
        {
52
0
            return false;
53
0
        }
54
0
    }
55
0
    if (from > 0)
56
0
    {
57
        // If the character before the start of the match is alphanumeric or _,
58
        // we've matched only part of a variable name.
59
0
        if (std::isalnum(str[from - 1]) || str[from - 1] == '_')
60
0
        {
61
0
            return false;
62
0
        }
63
0
    }
64
65
0
    return true;
66
0
}
67
68
/**
69
 *  Add a band subscript to all instances of a specified variable that
70
 *  do not already have such a subscript. For example, "X" would be
71
 *  replaced with "X[3]" but "X[1]" would be left untouched.
72
 */
73
static std::string SetBandIndices(const std::string &origExpression,
74
                                  const std::string &variable, int band,
75
                                  bool &expressionChanged)
76
0
{
77
0
    std::string expression = origExpression;
78
0
    expressionChanged = false;
79
80
0
    std::string::size_type seekPos = 0;
81
0
    auto pos = expression.find(variable, seekPos);
82
0
    while (pos != std::string::npos)
83
0
    {
84
0
        auto end = pos + variable.size();
85
86
0
        if (MatchIsCompleteVariableNameWithNoIndex(expression, pos, end))
87
0
        {
88
            // No index specified for variable
89
0
            expression = expression.substr(0, pos + variable.size()) + '[' +
90
0
                         std::to_string(band) + ']' + expression.substr(end);
91
0
            expressionChanged = true;
92
0
        }
93
94
0
        seekPos = end;
95
0
        pos = expression.find(variable, seekPos);
96
0
    }
97
98
0
    return expression;
99
0
}
100
101
static bool PosIsAggregateFunctionArgument(const std::string &expression,
102
                                           size_t pos)
103
0
{
104
    // If this position is a function argument, we should be able to
105
    // scan backwards for a ( and find only variable names, literals or commas.
106
0
    while (pos != 0)
107
0
    {
108
0
        const char c = expression[pos];
109
0
        if (c == '(')
110
0
        {
111
0
            pos--;
112
0
            break;
113
0
        }
114
0
        if (!(isspace(c) || isalnum(c) || c == ',' || c == '.' || c == '[' ||
115
0
              c == ']' || c == '_'))
116
0
        {
117
0
            return false;
118
0
        }
119
0
        pos--;
120
0
    }
121
122
    // Now what we've found the (, the preceding characters should be an
123
    // aggregate function name
124
0
    if (pos < 2)
125
0
    {
126
0
        return false;
127
0
    }
128
129
0
    if (STARTS_WITH_CI(expression.c_str() + (pos - 2), "avg") ||
130
0
        STARTS_WITH_CI(expression.c_str() + (pos - 2), "sum") ||
131
0
        STARTS_WITH_CI(expression.c_str() + (pos - 2), "min") ||
132
0
        STARTS_WITH_CI(expression.c_str() + (pos - 2), "max"))
133
0
    {
134
0
        return true;
135
0
    }
136
137
0
    return false;
138
0
}
139
140
/**
141
 *  Replace X by X[1],X[2],...X[n]
142
 */
143
static std::string
144
SetBandIndicesFlattenedExpression(const std::string &origExpression,
145
                                  const std::string &variable, int nBands)
146
0
{
147
0
    std::string expression = origExpression;
148
149
0
    std::string::size_type seekPos = 0;
150
0
    auto pos = expression.find(variable, seekPos);
151
0
    while (pos != std::string::npos)
152
0
    {
153
0
        auto end = pos + variable.size();
154
155
0
        if (MatchIsCompleteVariableNameWithNoIndex(expression, pos, end) &&
156
0
            PosIsAggregateFunctionArgument(expression, pos))
157
0
        {
158
0
            std::string newExpr = expression.substr(0, pos);
159
0
            for (int i = 1; i <= nBands; ++i)
160
0
            {
161
0
                if (i > 1)
162
0
                    newExpr += ',';
163
0
                newExpr += variable;
164
0
                newExpr += '[';
165
0
                newExpr += std::to_string(i);
166
0
                newExpr += ']';
167
0
            }
168
0
            const size_t oldExprSize = expression.size();
169
0
            newExpr += expression.substr(end);
170
0
            expression = std::move(newExpr);
171
0
            end += expression.size() - oldExprSize;
172
0
        }
173
174
0
        seekPos = end;
175
0
        pos = expression.find(variable, seekPos);
176
0
    }
177
178
0
    return expression;
179
0
}
180
181
struct SourceProperties
182
{
183
    int nBands{0};
184
    int nX{0};
185
    int nY{0};
186
    bool hasGT{false};
187
    GDALGeoTransform gt{};
188
    std::unique_ptr<OGRSpatialReference, OGRSpatialReferenceReleaser> srs{
189
        nullptr};
190
    std::vector<std::optional<double>> noData{};
191
    GDALDataType eDT{GDT_Unknown};
192
};
193
194
static std::optional<SourceProperties>
195
UpdateSourceProperties(SourceProperties &out, const std::string &dsn,
196
                       const GDALCalcOptions &options)
197
0
{
198
0
    SourceProperties source;
199
0
    bool srsMismatch = false;
200
0
    bool extentMismatch = false;
201
0
    bool dimensionMismatch = false;
202
203
0
    {
204
0
        std::unique_ptr<GDALDataset> ds(
205
0
            GDALDataset::Open(dsn.c_str(), GDAL_OF_RASTER));
206
207
0
        if (!ds)
208
0
        {
209
0
            CPLError(CE_Failure, CPLE_AppDefined, "Failed to open %s",
210
0
                     dsn.c_str());
211
0
            return std::nullopt;
212
0
        }
213
214
0
        source.nBands = ds->GetRasterCount();
215
0
        source.nX = ds->GetRasterXSize();
216
0
        source.nY = ds->GetRasterYSize();
217
0
        source.noData.resize(source.nBands);
218
219
0
        if (options.checkExtent)
220
0
        {
221
0
            ds->GetGeoTransform(source.gt);
222
0
        }
223
224
0
        if (options.checkCRS && out.srs)
225
0
        {
226
0
            const OGRSpatialReference *srs = ds->GetSpatialRef();
227
0
            srsMismatch = srs && !srs->IsSame(out.srs.get());
228
0
        }
229
230
        // Store the source data type if it is the same for all bands in the source
231
0
        bool bandsHaveSameType = true;
232
0
        for (int i = 1; i <= source.nBands; ++i)
233
0
        {
234
0
            GDALRasterBand *band = ds->GetRasterBand(i);
235
236
0
            if (i == 1)
237
0
            {
238
0
                source.eDT = band->GetRasterDataType();
239
0
            }
240
0
            else if (bandsHaveSameType &&
241
0
                     source.eDT != band->GetRasterDataType())
242
0
            {
243
0
                source.eDT = GDT_Unknown;
244
0
                bandsHaveSameType = false;
245
0
            }
246
247
0
            int success;
248
0
            double noData = band->GetNoDataValue(&success);
249
0
            if (success)
250
0
            {
251
0
                source.noData[i - 1] = noData;
252
0
            }
253
0
        }
254
0
    }
255
256
0
    if (source.nX != out.nX || source.nY != out.nY)
257
0
    {
258
0
        dimensionMismatch = true;
259
0
    }
260
261
0
    if (source.gt.xorig != out.gt.xorig || source.gt.xrot != out.gt.xrot ||
262
0
        source.gt.yorig != out.gt.yorig || source.gt.yrot != out.gt.yrot)
263
0
    {
264
0
        extentMismatch = true;
265
0
    }
266
0
    if (source.gt.xscale != out.gt.xscale || source.gt.yscale != out.gt.yscale)
267
0
    {
268
        // Resolutions are different. Are the extents the same?
269
0
        double xmaxOut =
270
0
            out.gt.xorig + out.nX * out.gt.xscale + out.nY * out.gt.xrot;
271
0
        double yminOut =
272
0
            out.gt.yorig + out.nX * out.gt.yrot + out.nY * out.gt.yscale;
273
274
0
        double xmax = source.gt.xorig + source.nX * source.gt.xscale +
275
0
                      source.nY * source.gt.xrot;
276
0
        double ymin = source.gt.yorig + source.nX * source.gt.yrot +
277
0
                      source.nY * source.gt.yscale;
278
279
        // Max allowable extent misalignment, expressed as fraction of a pixel
280
0
        constexpr double EXTENT_RTOL = 1e-3;
281
282
0
        if (std::abs(xmax - xmaxOut) >
283
0
                EXTENT_RTOL * std::abs(source.gt.xscale) ||
284
0
            std::abs(ymin - yminOut) > EXTENT_RTOL * std::abs(source.gt.yscale))
285
0
        {
286
0
            extentMismatch = true;
287
0
        }
288
0
    }
289
290
0
    if (options.checkExtent && extentMismatch)
291
0
    {
292
0
        CPLError(CE_Failure, CPLE_AppDefined,
293
0
                 "Input extents are inconsistent.");
294
0
        return std::nullopt;
295
0
    }
296
297
0
    if (!options.checkExtent && dimensionMismatch)
298
0
    {
299
0
        CPLError(CE_Failure, CPLE_AppDefined,
300
0
                 "Inputs do not have the same dimensions.");
301
0
        return std::nullopt;
302
0
    }
303
304
    // Find a common resolution
305
0
    if (source.nX > out.nX)
306
0
    {
307
0
        auto dx = CPLGreatestCommonDivisor(out.gt.xscale, source.gt.xscale);
308
0
        if (dx == 0)
309
0
        {
310
0
            CPLError(CE_Failure, CPLE_AppDefined,
311
0
                     "Failed to find common resolution for inputs.");
312
0
            return std::nullopt;
313
0
        }
314
0
        out.nX = static_cast<int>(
315
0
            std::round(static_cast<double>(out.nX) * out.gt.xscale / dx));
316
0
        out.gt.xscale = dx;
317
0
    }
318
0
    if (source.nY > out.nY)
319
0
    {
320
0
        auto dy = CPLGreatestCommonDivisor(out.gt.yscale, source.gt.yscale);
321
0
        if (dy == 0)
322
0
        {
323
0
            CPLError(CE_Failure, CPLE_AppDefined,
324
0
                     "Failed to find common resolution for inputs.");
325
0
            return std::nullopt;
326
0
        }
327
0
        out.nY = static_cast<int>(
328
0
            std::round(static_cast<double>(out.nY) * out.gt.yscale / dy));
329
0
        out.gt.yscale = dy;
330
0
    }
331
332
0
    if (srsMismatch)
333
0
    {
334
0
        CPLError(CE_Failure, CPLE_AppDefined,
335
0
                 "Input spatial reference systems are inconsistent.");
336
0
        return std::nullopt;
337
0
    }
338
339
0
    return source;
340
0
}
341
342
/** Create XML nodes for one or more derived bands resulting from the evaluation
343
 *  of a single expression
344
 *
345
 * @param pszVRTFilename VRT filename
346
 * @param root VRTDataset node to which the band nodes should be added
347
 * @param bandType the type of the band(s) to create
348
 * @param nXOut Number of columns in VRT dataset
349
 * @param nYOut Number of rows in VRT dataset
350
 * @param expression Expression for which band(s) should be added
351
 * @param dialect Expression dialect
352
 * @param flatten Generate a single band output raster per expression, even if
353
 *                input datasets are multiband.
354
 * @param noDataText nodata value to use for the created band, or "none", or ""
355
 * @param pixelFunctionArguments Pixel function arguments.
356
 * @param sources Mapping of source names to DSNs
357
 * @param sourceProps Mapping of source names to properties
358
 * @param fakeSourceFilename If not empty, used instead of real input filenames.
359
 * @return true if the band(s) were added, false otherwise
360
 */
361
static bool
362
CreateDerivedBandXML(const char *pszVRTFilename, CPLXMLNode *root, int nXOut,
363
                     int nYOut, GDALDataType bandType,
364
                     const std::string &expression, const std::string &dialect,
365
                     bool flatten, const std::string &noDataText,
366
                     const std::vector<std::string> &pixelFunctionArguments,
367
                     const std::map<std::string, std::string> &sources,
368
                     const std::map<std::string, SourceProperties> &sourceProps,
369
                     const std::string &fakeSourceFilename)
370
0
{
371
0
    int nOutBands = 1;  // By default, each expression produces a single output
372
                        // band. When processing the expression below, we may
373
                        // discover that the expression produces multiple bands,
374
                        // in which case this will be updated.
375
376
0
    for (int nOutBand = 1; nOutBand <= nOutBands; nOutBand++)
377
0
    {
378
        // Copy the expression for each output band, because we may modify it
379
        // when adding band indices (e.g., X -> X[1]) to the variables in the
380
        // expression.
381
0
        std::string bandExpression = expression;
382
383
0
        CPLXMLNode *band = CPLCreateXMLNode(root, CXT_Element, "VRTRasterBand");
384
0
        CPLAddXMLAttributeAndValue(band, "subClass", "VRTDerivedRasterBand");
385
0
        if (bandType == GDT_Unknown)
386
0
        {
387
0
            bandType = GDT_Float64;
388
0
        }
389
0
        CPLAddXMLAttributeAndValue(band, "dataType",
390
0
                                   GDALGetDataTypeName(bandType));
391
392
0
        std::optional<double> dstNoData;
393
0
        bool autoSelectNoDataValue = false;
394
0
        if (noDataText.empty())
395
0
        {
396
0
            autoSelectNoDataValue = true;
397
0
        }
398
0
        else if (noDataText != "none")
399
0
        {
400
0
            char *end;
401
0
            dstNoData = CPLStrtod(noDataText.c_str(), &end);
402
0
            if (end != noDataText.c_str() + noDataText.size())
403
0
            {
404
0
                CPLError(CE_Failure, CPLE_AppDefined,
405
0
                         "Invalid NoData value: %s", noDataText.c_str());
406
0
                return false;
407
0
            }
408
0
        }
409
410
0
        for (const auto &[source_name, dsn] : sources)
411
0
        {
412
0
            auto it = sourceProps.find(source_name);
413
0
            CPLAssert(it != sourceProps.end());
414
0
            const auto &props = it->second;
415
416
0
            bool expressionAppliedPerBand = false;
417
0
            if (dialect == "builtin")
418
0
            {
419
0
                expressionAppliedPerBand = !flatten;
420
0
            }
421
0
            else
422
0
            {
423
0
                const int nDefaultInBand = std::min(props.nBands, nOutBand);
424
425
0
                if (flatten)
426
0
                {
427
0
                    bandExpression = SetBandIndicesFlattenedExpression(
428
0
                        bandExpression, source_name, props.nBands);
429
0
                }
430
431
0
                bandExpression =
432
0
                    SetBandIndices(bandExpression, source_name, nDefaultInBand,
433
0
                                   expressionAppliedPerBand);
434
0
            }
435
436
0
            if (expressionAppliedPerBand)
437
0
            {
438
0
                if (nOutBands <= 1)
439
0
                {
440
0
                    nOutBands = props.nBands;
441
0
                }
442
0
                else if (props.nBands != 1 && props.nBands != nOutBands)
443
0
                {
444
0
                    CPLError(CE_Failure, CPLE_AppDefined,
445
0
                             "Expression cannot operate on all bands of "
446
0
                             "rasters with incompatible numbers of bands "
447
0
                             "(source %s has %d bands but expected to have "
448
0
                             "1 or %d bands).",
449
0
                             source_name.c_str(), props.nBands, nOutBands);
450
0
                    return false;
451
0
                }
452
0
            }
453
454
            // Create a source for each input band that is used in
455
            // the expression.
456
0
            for (int nInBand = 1; nInBand <= props.nBands; nInBand++)
457
0
            {
458
0
                CPLString inBandVariable;
459
0
                if (dialect == "builtin")
460
0
                {
461
0
                    if (!flatten && props.nBands >= 2 && nInBand != nOutBand)
462
0
                        continue;
463
0
                }
464
0
                else
465
0
                {
466
0
                    inBandVariable.Printf("%s[%d]", source_name.c_str(),
467
0
                                          nInBand);
468
0
                    if (bandExpression.find(inBandVariable) ==
469
0
                        std::string::npos)
470
0
                    {
471
0
                        continue;
472
0
                    }
473
0
                }
474
475
0
                const std::optional<double> &srcNoData =
476
0
                    props.noData[nInBand - 1];
477
478
0
                CPLXMLNode *source = CPLCreateXMLNode(
479
0
                    band, CXT_Element,
480
0
                    srcNoData.has_value() ? "ComplexSource" : "SimpleSource");
481
0
                if (!inBandVariable.empty())
482
0
                {
483
0
                    CPLAddXMLAttributeAndValue(source, "name",
484
0
                                               inBandVariable.c_str());
485
0
                }
486
487
0
                CPLXMLNode *sourceFilename =
488
0
                    CPLCreateXMLNode(source, CXT_Element, "SourceFilename");
489
0
                if (fakeSourceFilename.empty())
490
0
                {
491
0
                    std::string osSourceFilename = dsn;
492
0
                    bool bRelativeToVRT = false;
493
0
                    if (pszVRTFilename[0])
494
0
                    {
495
0
                        std::tie(osSourceFilename, bRelativeToVRT) =
496
0
                            VRTSimpleSource::ComputeSourceNameAndRelativeFlag(
497
0
                                CPLGetPathSafe(pszVRTFilename).c_str(), dsn);
498
0
                    }
499
0
                    CPLAddXMLAttributeAndValue(sourceFilename, "relativeToVRT",
500
0
                                               bRelativeToVRT ? "1" : "0");
501
0
                    CPLCreateXMLNode(sourceFilename, CXT_Text,
502
0
                                     osSourceFilename.c_str());
503
0
                }
504
0
                else
505
0
                {
506
0
                    CPLCreateXMLNode(sourceFilename, CXT_Text,
507
0
                                     fakeSourceFilename.c_str());
508
0
                }
509
510
0
                CPLXMLNode *sourceBand =
511
0
                    CPLCreateXMLNode(source, CXT_Element, "SourceBand");
512
0
                CPLCreateXMLNode(sourceBand, CXT_Text,
513
0
                                 std::to_string(nInBand).c_str());
514
515
0
                if (srcNoData.has_value())
516
0
                {
517
0
                    CPLXMLNode *srcNoDataNode =
518
0
                        CPLCreateXMLNode(source, CXT_Element, "NODATA");
519
0
                    std::string srcNoDataText =
520
0
                        CPLSPrintf("%.17g", srcNoData.value());
521
0
                    CPLCreateXMLNode(srcNoDataNode, CXT_Text,
522
0
                                     srcNoDataText.c_str());
523
524
0
                    if (autoSelectNoDataValue && !dstNoData.has_value())
525
0
                    {
526
0
                        dstNoData = srcNoData;
527
0
                    }
528
0
                }
529
530
0
                if (fakeSourceFilename.empty())
531
0
                {
532
0
                    CPLXMLNode *srcRect =
533
0
                        CPLCreateXMLNode(source, CXT_Element, "SrcRect");
534
0
                    CPLAddXMLAttributeAndValue(srcRect, "xOff", "0");
535
0
                    CPLAddXMLAttributeAndValue(srcRect, "yOff", "0");
536
0
                    CPLAddXMLAttributeAndValue(
537
0
                        srcRect, "xSize", std::to_string(props.nX).c_str());
538
0
                    CPLAddXMLAttributeAndValue(
539
0
                        srcRect, "ySize", std::to_string(props.nY).c_str());
540
541
0
                    CPLXMLNode *dstRect =
542
0
                        CPLCreateXMLNode(source, CXT_Element, "DstRect");
543
0
                    CPLAddXMLAttributeAndValue(dstRect, "xOff", "0");
544
0
                    CPLAddXMLAttributeAndValue(dstRect, "yOff", "0");
545
0
                    CPLAddXMLAttributeAndValue(dstRect, "xSize",
546
0
                                               std::to_string(nXOut).c_str());
547
0
                    CPLAddXMLAttributeAndValue(dstRect, "ySize",
548
0
                                               std::to_string(nYOut).c_str());
549
0
                }
550
0
            }
551
552
0
            if (dstNoData.has_value())
553
0
            {
554
0
                if (!GDALIsValueExactAs(dstNoData.value(), bandType))
555
0
                {
556
0
                    CPLError(
557
0
                        CE_Failure, CPLE_AppDefined,
558
0
                        "Band output type %s cannot represent NoData value %g",
559
0
                        GDALGetDataTypeName(bandType), dstNoData.value());
560
0
                    return false;
561
0
                }
562
563
0
                CPLXMLNode *noDataNode =
564
0
                    CPLCreateXMLNode(band, CXT_Element, "NoDataValue");
565
0
                CPLString dstNoDataText =
566
0
                    CPLSPrintf("%.17g", dstNoData.value());
567
0
                CPLCreateXMLNode(noDataNode, CXT_Text, dstNoDataText.c_str());
568
0
            }
569
0
        }
570
571
0
        CPLXMLNode *pixelFunctionType =
572
0
            CPLCreateXMLNode(band, CXT_Element, "PixelFunctionType");
573
0
        CPLXMLNode *arguments =
574
0
            CPLCreateXMLNode(band, CXT_Element, "PixelFunctionArguments");
575
576
0
        if (dialect == "builtin")
577
0
        {
578
0
            CPLCreateXMLNode(pixelFunctionType, CXT_Text, expression.c_str());
579
0
        }
580
0
        else
581
0
        {
582
0
            CPLCreateXMLNode(pixelFunctionType, CXT_Text, "expression");
583
0
            CPLAddXMLAttributeAndValue(arguments, "dialect", "muparser");
584
            // Add the expression as a last step, because we may modify the
585
            // expression as we iterate through the bands.
586
0
            CPLAddXMLAttributeAndValue(arguments, "expression",
587
0
                                       bandExpression.c_str());
588
0
        }
589
590
0
        if (!pixelFunctionArguments.empty())
591
0
        {
592
0
            const CPLStringList args(pixelFunctionArguments);
593
0
            for (const auto &[key, value] : cpl::IterateNameValue(args))
594
0
            {
595
0
                CPLAddXMLAttributeAndValue(arguments, key, value);
596
0
            }
597
0
        }
598
0
    }
599
600
0
    return true;
601
0
}
602
603
static bool ParseSourceDescriptors(const std::vector<std::string> &inputs,
604
                                   std::map<std::string, std::string> &datasets,
605
                                   std::string &firstSourceName,
606
                                   bool requireSourceNames)
607
0
{
608
0
    for (size_t iInput = 0; iInput < inputs.size(); iInput++)
609
0
    {
610
0
        const std::string &input = inputs[iInput];
611
0
        std::string name;
612
613
0
        const auto pos = input.find('=');
614
0
        if (pos == std::string::npos)
615
0
        {
616
0
            if (requireSourceNames && inputs.size() > 1)
617
0
            {
618
0
                CPLError(CE_Failure, CPLE_AppDefined,
619
0
                         "Inputs must be named when more than one input is "
620
0
                         "provided.");
621
0
                return false;
622
0
            }
623
0
            name = "X";
624
0
            if (iInput > 0)
625
0
            {
626
0
                name += std::to_string(iInput);
627
0
            }
628
0
        }
629
0
        else
630
0
        {
631
0
            name = input.substr(0, pos);
632
0
        }
633
634
        // Check input name is legal
635
0
        for (size_t i = 0; i < name.size(); ++i)
636
0
        {
637
0
            const char c = name[i];
638
0
            if ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z'))
639
0
            {
640
                // ok
641
0
            }
642
0
            else if (c == '_' || (c >= '0' && c <= '9'))
643
0
            {
644
0
                if (i == 0)
645
0
                {
646
                    // Reserved constants in MuParser start with an underscore
647
0
                    CPLError(
648
0
                        CE_Failure, CPLE_AppDefined,
649
0
                        "Name '%s' is illegal because it starts with a '%c'",
650
0
                        name.c_str(), c);
651
0
                    return false;
652
0
                }
653
0
            }
654
0
            else
655
0
            {
656
0
                CPLError(CE_Failure, CPLE_AppDefined,
657
0
                         "Name '%s' is illegal because character '%c' is not "
658
0
                         "allowed",
659
0
                         name.c_str(), c);
660
0
                return false;
661
0
            }
662
0
        }
663
664
0
        std::string dsn =
665
0
            (pos == std::string::npos) ? input : input.substr(pos + 1);
666
667
0
        if (!dsn.empty() && dsn.front() == '[' && dsn.back() == ']')
668
0
        {
669
0
            dsn = "{\"type\":\"gdal_streamed_alg\", \"command_line\":\"gdal "
670
0
                  "raster pipeline " +
671
0
                  CPLString(dsn.substr(1, dsn.size() - 2))
672
0
                      .replaceAll('\\', "\\\\")
673
0
                      .replaceAll('"', "\\\"") +
674
0
                  "\"}";
675
0
        }
676
677
0
        if (datasets.find(name) != datasets.end())
678
0
        {
679
0
            CPLError(CE_Failure, CPLE_AppDefined,
680
0
                     "An input with name '%s' has already been provided",
681
0
                     name.c_str());
682
0
            return false;
683
0
        }
684
0
        datasets[name] = std::move(dsn);
685
686
0
        if (iInput == 0)
687
0
        {
688
0
            firstSourceName = std::move(name);
689
0
        }
690
0
    }
691
692
0
    return true;
693
0
}
694
695
static bool ReadFileLists(const std::vector<GDALArgDatasetValue> &inputDS,
696
                          std::vector<std::string> &inputFilenames)
697
0
{
698
0
    for (const auto &dsVal : inputDS)
699
0
    {
700
0
        const auto &input = dsVal.GetName();
701
0
        if (!input.empty() && input[0] == '@')
702
0
        {
703
0
            auto f =
704
0
                VSIVirtualHandleUniquePtr(VSIFOpenL(input.c_str() + 1, "r"));
705
0
            if (!f)
706
0
            {
707
0
                CPLError(CE_Failure, CPLE_FileIO, "Cannot open %s",
708
0
                         input.c_str() + 1);
709
0
                return false;
710
0
            }
711
0
            while (const char *filename = CPLReadLineL(f.get()))
712
0
            {
713
0
                inputFilenames.push_back(filename);
714
0
            }
715
0
        }
716
0
        else
717
0
        {
718
0
            inputFilenames.push_back(input);
719
0
        }
720
0
    }
721
722
0
    return true;
723
0
}
724
725
/** Creates a VRT datasource with one or more derived raster bands containing
726
 *  results of an expression.
727
 *
728
 * To make this work with muparser (which does not support vector types), we
729
 * do a simple parsing of the expression internally, transforming it into
730
 * multiple expressions with explicit band indices. For example, for a two-band
731
 * raster "X", the expression "X + 3" will be transformed into "X[1] + 3" and
732
 * "X[2] + 3". The use of brackets is for readability only; as far as the
733
 * expression engine is concerned, the variables "X[1]" and "X[2]" have nothing
734
 * to do with each other.
735
 *
736
 * @param pszVRTFilename VRT filename
737
 * @param inputs A list of sources, expressed as NAME=DSN
738
 * @param expressions A list of expressions to be evaluated
739
 * @param dialect Expression dialect
740
 * @param flatten Generate a single band output raster per expression, even if
741
 *                input datasets are multiband.
742
 * @param noData NoData values to use for output bands, or "none", or ""
743
 * @param pixelFunctionArguments Pixel function arguments.
744
 * @param options flags controlling which checks should be performed on the inputs
745
 * @param[out] maxSourceBands Maximum number of bands in source dataset(s)
746
 * @param fakeSourceFilename If not empty, used instead of real input filenames.
747
 *
748
 * @return a newly created VRTDataset, or nullptr on error
749
 */
750
static std::unique_ptr<GDALDataset> GDALCalcCreateVRTDerived(
751
    const char *pszVRTFilename, const std::vector<std::string> &inputs,
752
    const std::vector<std::string> &expressions, const std::string &dialect,
753
    bool flatten, const std::string &noData,
754
    const std::vector<std::vector<std::string>> &pixelFunctionArguments,
755
    const GDALCalcOptions &options, int &maxSourceBands,
756
    const std::string &fakeSourceFilename = std::string())
757
0
{
758
0
    if (inputs.empty())
759
0
    {
760
0
        return nullptr;
761
0
    }
762
763
0
    std::map<std::string, std::string> sources;
764
0
    std::string firstSource;
765
0
    bool requireSourceNames = dialect != "builtin";
766
0
    if (!ParseSourceDescriptors(inputs, sources, firstSource,
767
0
                                requireSourceNames))
768
0
    {
769
0
        return nullptr;
770
0
    }
771
772
    // Use the first source provided to determine properties of the output
773
0
    const char *firstDSN = sources[firstSource].c_str();
774
775
0
    maxSourceBands = 0;
776
777
    // Read properties from the first source
778
0
    SourceProperties out;
779
0
    {
780
0
        std::unique_ptr<GDALDataset> ds(
781
0
            GDALDataset::Open(firstDSN, GDAL_OF_RASTER));
782
783
0
        if (!ds)
784
0
        {
785
0
            CPLError(CE_Failure, CPLE_AppDefined, "Failed to open %s",
786
0
                     firstDSN);
787
0
            return nullptr;
788
0
        }
789
790
0
        out.nX = ds->GetRasterXSize();
791
0
        out.nY = ds->GetRasterYSize();
792
0
        out.nBands = 1;
793
0
        out.srs.reset(ds->GetSpatialRef() ? ds->GetSpatialRef()->Clone()
794
0
                                          : nullptr);
795
0
        out.hasGT = ds->GetGeoTransform(out.gt) == CE_None;
796
0
    }
797
798
0
    CPLXMLTreeCloser root(CPLCreateXMLNode(nullptr, CXT_Element, "VRTDataset"));
799
800
0
    maxSourceBands = 0;
801
802
    // Collect properties of the different sources, and verity them for
803
    // consistency.
804
0
    std::map<std::string, SourceProperties> sourceProps;
805
0
    for (const auto &[source_name, dsn] : sources)
806
0
    {
807
        // TODO avoid opening the first source twice.
808
0
        auto props = UpdateSourceProperties(out, dsn, options);
809
0
        if (props.has_value())
810
0
        {
811
0
            maxSourceBands = std::max(maxSourceBands, props->nBands);
812
0
            sourceProps[source_name] = std::move(props.value());
813
0
        }
814
0
        else
815
0
        {
816
0
            return nullptr;
817
0
        }
818
0
    }
819
820
0
    size_t iExpr = 0;
821
0
    for (const auto &origExpression : expressions)
822
0
    {
823
0
        GDALDataType bandType = options.dstType;
824
825
        // If output band type has not been specified, set it equal to the
826
        // input band type for certain pixel functions, if the inputs have
827
        // a consistent band type.
828
0
        if (bandType == GDT_Unknown && dialect == "builtin" &&
829
0
            (origExpression == "min" || origExpression == "max" ||
830
0
             origExpression == "mode"))
831
0
        {
832
0
            for (const auto &[_, props] : sourceProps)
833
0
            {
834
0
                if (bandType == GDT_Unknown)
835
0
                {
836
0
                    bandType = props.eDT;
837
0
                }
838
0
                else if (props.eDT == GDT_Unknown || props.eDT != bandType)
839
0
                {
840
0
                    bandType = GDT_Unknown;
841
0
                    break;
842
0
                }
843
0
            }
844
0
        }
845
846
0
        if (!CreateDerivedBandXML(pszVRTFilename, root.get(), out.nX, out.nY,
847
0
                                  bandType, origExpression, dialect, flatten,
848
0
                                  noData, pixelFunctionArguments[iExpr],
849
0
                                  sources, sourceProps, fakeSourceFilename))
850
0
        {
851
0
            return nullptr;
852
0
        }
853
0
        ++iExpr;
854
0
    }
855
856
    // CPLDebug("VRT", "%s", CPLSerializeXMLTree(root.get()));
857
858
0
    auto ds = fakeSourceFilename.empty()
859
0
                  ? std::make_unique<VRTDataset>(out.nX, out.nY)
860
0
                  : std::make_unique<VRTDataset>(1, 1);
861
0
    if (ds->XMLInit(root.get(), pszVRTFilename[0]
862
0
                                    ? CPLGetPathSafe(pszVRTFilename).c_str()
863
0
                                    : "") != CE_None)
864
0
    {
865
0
        return nullptr;
866
0
    };
867
0
    if (out.hasGT)
868
0
    {
869
0
        ds->SetGeoTransform(out.gt);
870
0
    }
871
0
    if (out.srs)
872
0
    {
873
0
        ds->SetSpatialRef(out.srs.get());
874
0
    }
875
876
0
    return ds;
877
0
}
878
879
/************************************************************************/
880
/*          GDALRasterCalcAlgorithm::GDALRasterCalcAlgorithm()          */
881
/************************************************************************/
882
883
GDALRasterCalcAlgorithm::GDALRasterCalcAlgorithm(bool standaloneStep) noexcept
884
0
    : GDALRasterPipelineStepAlgorithm(NAME, DESCRIPTION, HELP_URL,
885
0
                                      ConstructorOptions()
886
0
                                          .SetStandaloneStep(standaloneStep)
887
0
                                          .SetAddDefaultArguments(false)
888
0
                                          .SetAutoOpenInputDatasets(false)
889
0
                                          .SetInputDatasetMetaVar("INPUTS")
890
0
                                          .SetInputDatasetMaxCount(INT_MAX))
891
0
{
892
0
    AddRasterInputArgs(false, false);
893
0
    if (standaloneStep)
894
0
    {
895
0
        AddProgressArg();
896
0
        AddRasterOutputArgs(false);
897
0
    }
898
899
0
    AddOutputDataTypeArg(&m_type);
900
901
0
    AddArg("no-check-crs", 0,
902
0
           _("Do not check consistency of input coordinate reference systems"),
903
0
           &m_noCheckCRS)
904
0
        .AddHiddenAlias("no-check-srs");
905
0
    AddArg("no-check-extent", 0, _("Do not check consistency of input extents"),
906
0
           &m_noCheckExtent);
907
908
0
    AddArg("propagate-nodata", 0,
909
0
           _("Whether to set pixels to the output NoData value if any of the "
910
0
             "input pixels is NoData"),
911
0
           &m_propagateNoData);
912
913
0
    AddArg("calc", 0, _("Expression(s) to evaluate"), &m_expr)
914
0
        .SetRequired()
915
0
        .SetPackedValuesAllowed(false)
916
0
        .SetMinCount(1)
917
0
        .SetAutoCompleteFunction(
918
0
            [this](const std::string &currentValue)
919
0
            {
920
0
                std::vector<std::string> ret;
921
0
                if (m_dialect == "builtin")
922
0
                {
923
0
                    if (currentValue.find('(') == std::string::npos)
924
0
                        return VRTDerivedRasterBand::GetPixelFunctionNames();
925
0
                }
926
0
                return ret;
927
0
            });
928
929
0
    AddArg("dialect", 0, _("Expression dialect"), &m_dialect)
930
0
        .SetDefault(m_dialect)
931
0
        .SetChoices("muparser", "builtin");
932
933
0
    AddArg("flatten", 0,
934
0
           _("Generate a single band output raster per expression, even if "
935
0
             "input datasets are multiband"),
936
0
           &m_flatten);
937
938
0
    AddNodataArg(&m_nodata, true);
939
940
    // This is a hidden option only used by test_gdalalg_raster_calc_expression_rewriting()
941
    // for now
942
0
    AddArg("no-check-expression", 0,
943
0
           _("Whether to skip expression validity checks for virtual format "
944
0
             "output"),
945
0
           &m_noCheckExpression)
946
0
        .SetHidden();
947
948
0
    AddValidationAction(
949
0
        [this]()
950
0
        {
951
0
            GDALPipelineStepRunContext ctxt;
952
0
            return m_noCheckExpression || !IsGDALGOutput() || RunStep(ctxt);
953
0
        });
954
0
}
955
956
/************************************************************************/
957
/*                  GDALRasterCalcAlgorithm::RunImpl()                  */
958
/************************************************************************/
959
960
bool GDALRasterCalcAlgorithm::RunImpl(GDALProgressFunc pfnProgress,
961
                                      void *pProgressData)
962
0
{
963
0
    GDALPipelineStepRunContext stepCtxt;
964
0
    stepCtxt.m_pfnProgress = pfnProgress;
965
0
    stepCtxt.m_pProgressData = pProgressData;
966
0
    return RunPreStepPipelineValidations() && RunStep(stepCtxt);
967
0
}
968
969
/************************************************************************/
970
/*                  GDALRasterCalcAlgorithm::RunStep()                  */
971
/************************************************************************/
972
973
bool GDALRasterCalcAlgorithm::RunStep(GDALPipelineStepRunContext &ctxt)
974
0
{
975
0
    CPLAssert(!m_outputDataset.GetDatasetRef());
976
977
0
    GDALCalcOptions options;
978
0
    options.checkExtent = !m_noCheckExtent;
979
0
    options.checkCRS = !m_noCheckCRS;
980
0
    if (!m_type.empty())
981
0
    {
982
0
        options.dstType = GDALGetDataTypeByName(m_type.c_str());
983
0
    }
984
985
0
    std::vector<std::string> inputFilenames;
986
0
    if (!ReadFileLists(m_inputDataset, inputFilenames))
987
0
    {
988
0
        return false;
989
0
    }
990
991
0
    std::vector<std::vector<std::string>> pixelFunctionArgs;
992
0
    if (m_dialect == "builtin")
993
0
    {
994
0
        for (std::string &expr : m_expr)
995
0
        {
996
0
            const CPLStringList aosTokens(
997
0
                CSLTokenizeString2(expr.c_str(), "()",
998
0
                                   CSLT_STRIPLEADSPACES | CSLT_STRIPENDSPACES));
999
0
            const char *pszFunction = aosTokens[0];
1000
0
            const auto *pair =
1001
0
                VRTDerivedRasterBand::GetPixelFunction(pszFunction);
1002
0
            if (!pair)
1003
0
            {
1004
0
                ReportError(CE_Failure, CPLE_NotSupported,
1005
0
                            "'%s' is a unknown builtin function", pszFunction);
1006
0
                return false;
1007
0
            }
1008
0
            if (aosTokens.size() == 2)
1009
0
            {
1010
0
                std::vector<std::string> validArguments;
1011
0
                AddOptionsSuggestions(pair->second.c_str(), 0, std::string(),
1012
0
                                      validArguments);
1013
0
                for (std::string &s : validArguments)
1014
0
                {
1015
0
                    if (!s.empty() && s.back() == '=')
1016
0
                        s.pop_back();
1017
0
                }
1018
1019
0
                const CPLStringList aosTokensArgs(CSLTokenizeString2(
1020
0
                    aosTokens[1], ",",
1021
0
                    CSLT_STRIPLEADSPACES | CSLT_STRIPENDSPACES));
1022
0
                for (const auto &[key, value] :
1023
0
                     cpl::IterateNameValue(aosTokensArgs))
1024
0
                {
1025
0
                    if (std::find(validArguments.begin(), validArguments.end(),
1026
0
                                  key) == validArguments.end())
1027
0
                    {
1028
0
                        if (validArguments.empty())
1029
0
                        {
1030
0
                            ReportError(
1031
0
                                CE_Failure, CPLE_IllegalArg,
1032
0
                                "'%s' is a unrecognized argument for builtin "
1033
0
                                "function '%s'. It does not accept any "
1034
0
                                "argument",
1035
0
                                key, pszFunction);
1036
0
                        }
1037
0
                        else
1038
0
                        {
1039
0
                            std::string validArgumentsStr;
1040
0
                            for (const std::string &s : validArguments)
1041
0
                            {
1042
0
                                if (!validArgumentsStr.empty())
1043
0
                                    validArgumentsStr += ", ";
1044
0
                                validArgumentsStr += '\'';
1045
0
                                validArgumentsStr += s;
1046
0
                                validArgumentsStr += '\'';
1047
0
                            }
1048
0
                            ReportError(
1049
0
                                CE_Failure, CPLE_IllegalArg,
1050
0
                                "'%s' is a unrecognized argument for builtin "
1051
0
                                "function '%s'. Only %s %s supported",
1052
0
                                key, pszFunction,
1053
0
                                validArguments.size() == 1 ? "is" : "are",
1054
0
                                validArgumentsStr.c_str());
1055
0
                        }
1056
0
                        return false;
1057
0
                    }
1058
0
                    CPL_IGNORE_RET_VAL(value);
1059
0
                }
1060
0
                pixelFunctionArgs.emplace_back(aosTokensArgs);
1061
0
            }
1062
0
            else
1063
0
            {
1064
0
                pixelFunctionArgs.push_back(std::vector<std::string>());
1065
0
            }
1066
0
            expr = pszFunction;
1067
0
        }
1068
0
    }
1069
0
    else
1070
0
    {
1071
0
        pixelFunctionArgs.resize(m_expr.size());
1072
0
    }
1073
1074
0
    if (m_propagateNoData)
1075
0
    {
1076
0
        if (m_nodata == "none")
1077
0
        {
1078
0
            ReportError(CE_Failure, CPLE_AppDefined,
1079
0
                        "Output NoData value must be specified to use "
1080
0
                        "--propagate-nodata");
1081
0
            return false;
1082
0
        }
1083
0
        for (auto &args : pixelFunctionArgs)
1084
0
        {
1085
0
            args.push_back("propagateNoData=1");
1086
0
        }
1087
0
    }
1088
1089
0
    int maxSourceBands = 0;
1090
0
    const bool bIsVRT =
1091
0
        m_format == "VRT" ||
1092
0
        (m_format.empty() &&
1093
0
         EQUAL(CPLGetExtensionSafe(m_outputDataset.GetName().c_str()).c_str(),
1094
0
               "VRT"));
1095
1096
0
    auto vrt = GDALCalcCreateVRTDerived(
1097
0
        bIsVRT ? m_outputDataset.GetName().c_str() : "", inputFilenames, m_expr,
1098
0
        m_dialect, m_flatten, m_nodata, pixelFunctionArgs, options,
1099
0
        maxSourceBands);
1100
0
    if (vrt == nullptr)
1101
0
    {
1102
0
        return false;
1103
0
    }
1104
1105
0
    if (!m_noCheckExpression)
1106
0
    {
1107
0
        const bool bIsGDALG =
1108
0
            m_format == "GDALG" ||
1109
0
            (m_format.empty() &&
1110
0
             cpl::ends_with(m_outputDataset.GetName(), ".gdalg.json"));
1111
0
        if (!m_standaloneStep || m_format == "stream" || bIsVRT || bIsGDALG)
1112
0
        {
1113
            // Try reading a single pixel to check formulas are valid.
1114
0
            std::vector<GByte> dummyData(vrt->GetRasterCount());
1115
1116
0
            auto poGTIFFDrv = GetGDALDriverManager()->GetDriverByName("GTiff");
1117
0
            std::string osTmpFilename;
1118
0
            if (poGTIFFDrv)
1119
0
            {
1120
0
                std::string osFilename =
1121
0
                    VSIMemGenerateHiddenFilename("tmp.tif");
1122
0
                auto poDS = std::unique_ptr<GDALDataset>(
1123
0
                    poGTIFFDrv->Create(osFilename.c_str(), 1, 1, maxSourceBands,
1124
0
                                       GDT_UInt8, nullptr));
1125
0
                if (poDS)
1126
0
                    osTmpFilename = std::move(osFilename);
1127
0
            }
1128
0
            if (!osTmpFilename.empty())
1129
0
            {
1130
0
                auto fakeVRT = GDALCalcCreateVRTDerived(
1131
0
                    "", inputFilenames, m_expr, m_dialect, m_flatten, m_nodata,
1132
0
                    pixelFunctionArgs, options, maxSourceBands, osTmpFilename);
1133
0
                if (fakeVRT &&
1134
0
                    fakeVRT->RasterIO(GF_Read, 0, 0, 1, 1, dummyData.data(), 1,
1135
0
                                      1, GDT_UInt8, vrt->GetRasterCount(),
1136
0
                                      nullptr, 0, 0, 0, nullptr) != CE_None)
1137
0
                {
1138
0
                    return false;
1139
0
                }
1140
0
            }
1141
0
            if (bIsGDALG)
1142
0
            {
1143
0
                return true;
1144
0
            }
1145
0
        }
1146
0
    }
1147
1148
0
    if (m_format == "stream" || !m_standaloneStep)
1149
0
    {
1150
0
        m_outputDataset.Set(std::move(vrt));
1151
0
        return true;
1152
0
    }
1153
1154
0
    CPLStringList translateArgs;
1155
0
    if (!m_format.empty())
1156
0
    {
1157
0
        translateArgs.AddString("-of");
1158
0
        translateArgs.AddString(m_format.c_str());
1159
0
    }
1160
0
    for (const auto &co : m_creationOptions)
1161
0
    {
1162
0
        translateArgs.AddString("-co");
1163
0
        translateArgs.AddString(co.c_str());
1164
0
    }
1165
1166
0
    GDALTranslateOptions *translateOptions =
1167
0
        GDALTranslateOptionsNew(translateArgs.List(), nullptr);
1168
0
    GDALTranslateOptionsSetProgress(translateOptions, ctxt.m_pfnProgress,
1169
0
                                    ctxt.m_pProgressData);
1170
1171
0
    auto poOutDS =
1172
0
        std::unique_ptr<GDALDataset>(GDALDataset::FromHandle(GDALTranslate(
1173
0
            m_outputDataset.GetName().c_str(), GDALDataset::ToHandle(vrt.get()),
1174
0
            translateOptions, nullptr)));
1175
0
    GDALTranslateOptionsFree(translateOptions);
1176
1177
0
    const bool bOK = poOutDS != nullptr;
1178
0
    m_outputDataset.Set(std::move(poOutDS));
1179
1180
0
    return bOK;
1181
0
}
1182
1183
0
GDALRasterCalcAlgorithmStandalone::~GDALRasterCalcAlgorithmStandalone() =
1184
    default;
1185
1186
//! @endcond