-
-
Notifications
You must be signed in to change notification settings - Fork 9
/
algorithms.txt
1702 lines (1699 loc) · 39.9 KB
/
algorithms.txt
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
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
https://api.openstreetmap.org/api/0.6/map?bbox=101.95,8.15,109.78,23.40
C:\Users\THANGQD_HCMGIS\AppData\Roaming\QGIS\QGIS3\profiles\default\python\plugins\HCMGIS\forms
=====================
pyuic5 -x hcmgis_font_convert_form.ui -o hcmgis_font_convert_form.py
pyuic5 -x hcmgis_merge_field_form.ui -o hcmgis_merge_field_form.py
pyuic5 -x hcmgis_split_field_form.ui -o hcmgis_split_field_form.py
pyuic5 -x hcmgis_medialaxis_form.ui -o hcmgis_medialaxis_form.py
pyuic5 -x hcmgis_centerline_form.ui -o hcmgis_centerline_form.py
pyuic5 -x hcmgis_opendata_form.ui -o hcmgis_opendata_form.py
pyuic5 -x hcmgis_closestpair_form.ui -o hcmgis_closestpair_form.py
pyuic5 -x hcmgis_lec_form.ui -o hcmgis_lec_form.py
pyuic5 -x hcmgis_customprojections_form.ui -o hcmgis_customprojections_form.py
pyuic5 -x hcmgis_csv2shp_form.ui -o hcmgis_csv2shp_form.py
pyuic5 -x hcmgis_txt2csv_form.ui -o hcmgis_txt2csv_form.py
pyuic5 -x hcmgis_xls2csv_form.ui -o hcmgis_xls2csv_form.py
pyuic5 -x hcmgis_format_convert_form.ui -o hcmgis_format_convert_form.py
pyuic5 -x hcmgis_opendevelopmentmekong_form.ui -o hcmgis_opendevelopmentmekong_form.py
http://leaflet-extras.github.io/leaflet-providers/preview/
https://community.tibco.com/wiki/geoanalytics-resources
http://felix.rohrba.ch/en/2016/awesome-basemap-layer-for-your-qgis-project/
# Python Console
# Use iface to access QGIS API interface or type help(iface) for more info
# Security warning: typing commands from an untrusted source can harm your computer
for alg in QgsApplication.processingRegistry().algorithms(): print(alg.id())
3d:tessellate
CADASTRAL:Cadastral Divisions
gdal:aspect
gdal:assignprojection
gdal:buffervectors
gdal:buildvirtualraster
gdal:buildvirtualvector
gdal:cliprasterbyextent
gdal:cliprasterbymasklayer
gdal:clipvectorbyextent
gdal:clipvectorbypolygon
gdal:colorrelief
gdal:contour
gdal:contour_polygon
gdal:convertformat
gdal:dissolve
gdal:executesql
gdal:extractprojection
gdal:fillnodata
gdal:gdal2tiles
gdal:gdal2xyz
gdal:gdalinfo
gdal:gridaverage
gdal:griddatametrics
gdal:gridinversedistance
gdal:gridinversedistancenearestneighbor
gdal:gridlinear
gdal:gridnearestneighbor
gdal:hillshade
gdal:importvectorintopostgisdatabaseavailableconnections
gdal:importvectorintopostgisdatabasenewconnection
gdal:merge
gdal:nearblack
gdal:offsetcurve
gdal:ogrinfo
gdal:onesidebuffer
gdal:overviews
gdal:pansharp
gdal:pcttorgb
gdal:pointsalonglines
gdal:polygonize
gdal:proximity
gdal:rastercalculator
gdal:rasterize
gdal:rasterize_over
gdal:rasterize_over_fixed_value
gdal:rearrange_bands
gdal:retile
gdal:rgbtopct
gdal:roughness
gdal:sieve
gdal:slope
gdal:tileindex
gdal:tpitopographicpositionindex
gdal:translate
gdal:triterrainruggednessindex
gdal:viewshed
gdal:warpreproject
geo_sim_processing:chordalaxis
geo_sim_processing:reducebend
geo_sim_processing:simplify
grass7:i.albedo
grass7:i.aster.toar
grass7:i.atcorr
grass7:i.biomass
grass7:i.cca
grass7:i.cluster
grass7:i.colors.enhance
grass7:i.eb.eta
grass7:i.eb.evapfr
grass7:i.eb.hsebal01.coords
grass7:i.eb.netrad
grass7:i.eb.soilheatflux
grass7:i.emissivity
grass7:i.evapo.mh
grass7:i.evapo.pm
grass7:i.evapo.pt
grass7:i.evapo.time
grass7:i.fft
grass7:i.gensig
grass7:i.gensigset
grass7:i.group
grass7:i.his.rgb
grass7:i.ifft
grass7:i.image.mosaic
grass7:i.in.spotvgt
grass7:i.landsat.acca
grass7:i.landsat.toar
grass7:i.maxlik
grass7:i.modis.qc
grass7:i.oif
grass7:i.pansharpen
grass7:i.pca
grass7:i.rgb.his
grass7:i.segment
grass7:i.smap
grass7:i.tasscap
grass7:i.topo.coor.ill
grass7:i.topo.corr
grass7:i.vi
grass7:i.zc
grass7:m.cogo
grass7:nviz
grass7:r.basins.fill
grass7:r.blend.combine
grass7:r.blend.rgb
grass7:r.buffer
grass7:r.buffer.lowmem
grass7:r.carve
grass7:r.category
grass7:r.category.out
grass7:r.circle
grass7:r.clump
grass7:r.coin
grass7:r.colors
grass7:r.colors.out
grass7:r.colors.stddev
grass7:r.composite
grass7:r.contour
grass7:r.cost
grass7:r.covar
grass7:r.cross
grass7:r.describe
grass7:r.distance
grass7:r.drain
grass7:r.fill.dir
grass7:r.fill.stats
grass7:r.fillnulls
grass7:r.flow
grass7:r.geomorphon
grass7:r.grow
grass7:r.grow.distance
grass7:r.gwflow
grass7:r.his
grass7:r.horizon
grass7:r.horizon.height
grass7:r.in.lidar
grass7:r.in.lidar.info
grass7:r.info
grass7:r.kappa
grass7:r.lake
grass7:r.latlong
grass7:r.li.cwed
grass7:r.li.cwed.ascii
grass7:r.li.dominance
grass7:r.li.dominance.ascii
grass7:r.li.edgedensity
grass7:r.li.edgedensity.ascii
grass7:r.li.mpa
grass7:r.li.mpa.ascii
grass7:r.li.mps
grass7:r.li.mps.ascii
grass7:r.li.padcv
grass7:r.li.padcv.ascii
grass7:r.li.padrange
grass7:r.li.padrange.ascii
grass7:r.li.padsd
grass7:r.li.padsd.ascii
grass7:r.li.patchdensity
grass7:r.li.patchdensity.ascii
grass7:r.li.patchnum
grass7:r.li.patchnum.ascii
grass7:r.li.pielou
grass7:r.li.pielou.ascii
grass7:r.li.renyi
grass7:r.li.renyi.ascii
grass7:r.li.richness
grass7:r.li.richness.ascii
grass7:r.li.shannon
grass7:r.li.shannon.ascii
grass7:r.li.shape
grass7:r.li.shape.ascii
grass7:r.li.simpson
grass7:r.li.simpson.ascii
grass7:r.mapcalc.simple
grass7:r.mask.rast
grass7:r.mask.vect
grass7:r.mfilter
grass7:r.mode
grass7:r.neighbors
grass7:r.null
grass7:r.out.ascii
grass7:r.out.gridatb
grass7:r.out.mat
grass7:r.out.mpeg
grass7:r.out.png
grass7:r.out.pov
grass7:r.out.ppm
grass7:r.out.ppm3
grass7:r.out.vrml
grass7:r.out.vtk
grass7:r.out.xyz
grass7:r.param.scale
grass7:r.patch
grass7:r.plane
grass7:r.profile
grass7:r.proj
grass7:r.quant
grass7:r.quantile
grass7:r.quantile.plain
grass7:r.random
grass7:r.random.cells
grass7:r.random.surface
grass7:r.reclass
grass7:r.reclass.area
grass7:r.recode
grass7:r.regression.line
grass7:r.regression.multi
grass7:r.relief
grass7:r.relief.scaling
grass7:r.report
grass7:r.resamp.bspline
grass7:r.resamp.filter
grass7:r.resamp.interp
grass7:r.resamp.rst
grass7:r.resamp.stats
grass7:r.resample
grass7:r.rescale
grass7:r.rescale.eq
grass7:r.rgb
grass7:r.ros
grass7:r.series
grass7:r.series.accumulate
grass7:r.series.interp
grass7:r.shade
grass7:r.sim.sediment
grass7:r.sim.water
grass7:r.slope.aspect
grass7:r.solute.transport
grass7:r.spread
grass7:r.spreadpath
grass7:r.statistics
grass7:r.stats
grass7:r.stats.quantile.out
grass7:r.stats.quantile.rast
grass7:r.stats.zonal
grass7:r.stream.extract
grass7:r.sun.incidout
grass7:r.sun.insoltime
grass7:r.sunhours
grass7:r.sunmask.datetime
grass7:r.sunmask.position
grass7:r.surf.area
grass7:r.surf.contour
grass7:r.surf.fractal
grass7:r.surf.gauss
grass7:r.surf.idw
grass7:r.surf.random
grass7:r.terraflow
grass7:r.texture
grass7:r.thin
grass7:r.tile
grass7:r.tileset
grass7:r.to.vect
grass7:r.topidx
grass7:r.topmodel
grass7:r.topmodel.topidxstats
grass7:r.transect
grass7:r.univar
grass7:r.uslek
grass7:r.usler
grass7:r.viewshed
grass7:r.volume
grass7:r.walk.coords
grass7:r.walk.points
grass7:r.walk.rast
grass7:r.water.outlet
grass7:r.watershed
grass7:r.what.color
grass7:r.what.coords
grass7:r.what.points
grass7:v.buffer
grass7:v.build.check
grass7:v.build.polylines
grass7:v.class
grass7:v.clean
grass7:v.cluster
grass7:v.db.select
grass7:v.decimate
grass7:v.delaunay
grass7:v.dissolve
grass7:v.distance
grass7:v.drape
grass7:v.edit
grass7:v.extract
grass7:v.extrude
grass7:v.generalize
grass7:v.hull
grass7:v.in.ascii
grass7:v.in.dxf
grass7:v.in.e00
grass7:v.in.geonames
grass7:v.in.lidar
grass7:v.in.lines
grass7:v.in.mapgen
grass7:v.in.wfs
grass7:v.info
grass7:v.kcv
grass7:v.kernel.rast
grass7:v.kernel.vector
grass7:v.lidar.correction
grass7:v.lidar.edgedetection
grass7:v.lidar.growing
grass7:v.mkgrid
grass7:v.neighbors
grass7:v.net
grass7:v.net.alloc
grass7:v.net.allpairs
grass7:v.net.bridge
grass7:v.net.centrality
grass7:v.net.components
grass7:v.net.connectivity
grass7:v.net.distance
grass7:v.net.flow
grass7:v.net.iso
grass7:v.net.nreport
grass7:v.net.path
grass7:v.net.report
grass7:v.net.salesman
grass7:v.net.spanningtree
grass7:v.net.steiner
grass7:v.net.timetable
grass7:v.net.visibility
grass7:v.normal
grass7:v.out.ascii
grass7:v.out.dxf
grass7:v.out.postgis
grass7:v.out.pov
grass7:v.out.svg
grass7:v.out.vtk
grass7:v.outlier
grass7:v.overlay
grass7:v.pack
grass7:v.parallel
grass7:v.patch
grass7:v.perturb
grass7:v.proj
grass7:v.qcount
grass7:v.random
grass7:v.rast.stats
grass7:v.reclass
grass7:v.rectify
grass7:v.report
grass7:v.sample
grass7:v.segment
grass7:v.select
grass7:v.split
grass7:v.surf.bspline
grass7:v.surf.idw
grass7:v.surf.rst
grass7:v.surf.rst.cvdev
grass7:v.to.3d
grass7:v.to.lines
grass7:v.to.points
grass7:v.to.rast
grass7:v.transform
grass7:v.type
grass7:v.univar
grass7:v.vect.stats
grass7:v.voronoi
grass7:v.voronoi.skeleton
grass7:v.what.rast
grass7:v.what.vect
latlontools:ecef2lla
latlontools:field2geom
latlontools:geom2field
latlontools:lla2ecef
latlontools:mgrs2point
latlontools:pluscodes2point
latlontools:point2mgrs
latlontools:point2pluscodes
native:addautoincrementalfield
native:addfieldtoattributestable
native:adduniquevalueindexfield
native:addxyfields
native:affinetransform
native:aggregate
native:angletonearest
native:antimeridiansplit
native:arrayoffsetlines
native:arraytranslatedfeatures
native:aspect
native:assignprojection
native:atlaslayouttoimage
native:atlaslayouttopdf
native:batchnominatimgeocoder
native:bookmarkstolayer
native:boundary
native:boundingboxes
native:buffer
native:bufferbym
native:calculatevectoroverlaps
native:categorizeusingstyle
native:cellstackpercentile
native:cellstackpercentrankfromrasterlayer
native:cellstackpercentrankfromvalue
native:cellstatistics
native:centroids
native:clip
native:collect
native:combinestyles
native:condition
native:converttocurves
native:convexhull
native:countpointsinpolygon
native:createattributeindex
native:createconstantrasterlayer
native:createdirectory
native:creategrid
native:createpointslayerfromtable
native:createrandombinomialrasterlayer
native:createrandomexponentialrasterlayer
native:createrandomgammarasterlayer
native:createrandomgeometricrasterlayer
native:createrandomnegativebinomialrasterlayer
native:createrandomnormalrasterlayer
native:createrandompoissonrasterlayer
native:createrandomuniformrasterlayer
native:createspatialindex
native:dbscanclustering
native:deletecolumn
native:deleteduplicategeometries
native:deleteholes
native:densifygeometries
native:densifygeometriesgivenaninterval
native:detectvectorchanges
native:difference
native:dissolve
native:dropgeometries
native:dropmzvalues
native:dxfexport
native:equaltofrequency
native:explodehstorefield
native:explodelines
native:exportlayersinformation
native:exportmeshedges
native:exportmeshfaces
native:exportmeshongrid
native:exportmeshvertices
native:exporttospreadsheet
native:extendlines
native:extenttolayer
native:extractbinary
native:extractbyattribute
native:extractbyexpression
native:extractbyextent
native:extractbylocation
native:extractmvalues
native:extractspecificvertices
native:extractvertices
native:extractzvalues
native:fieldcalculator
native:filedownloader
native:fillnodata
native:filter
native:filterbygeometry
native:filterlayersbytype
native:filterverticesbym
native:filterverticesbyz
native:fixgeometries
native:flattenrelationships
native:forcerhr
native:fuzzifyrastergaussianmembership
native:fuzzifyrasterlargemembership
native:fuzzifyrasterlinearmembership
native:fuzzifyrasternearmembership
native:fuzzifyrasterpowermembership
native:fuzzifyrastersmallmembership
native:generatepointspixelcentroidsinsidepolygons
native:geometrybyexpression
native:greaterthanfrequency
native:highestpositioninrasterstack
native:hillshade
native:hublines
native:importphotos
native:interpolatepoint
native:intersection
native:joinattributesbylocation
native:joinattributestable
native:joinbynearest
native:kmeansclustering
native:layertobookmarks
native:lessthanfrequency
native:linedensity
native:lineintersections
native:linesubstring
native:loadlayer
native:lowestpositioninrasterstack
native:meancoordinates
native:mergelines
native:mergevectorlayers
native:meshcontours
native:meshexportcrosssection
native:meshexporttimeseries
native:meshrasterize
native:minimumenclosingcircle
native:multiparttosingleparts
native:multiringconstantbuffer
native:nearestneighbouranalysis
native:offsetline
native:orderbyexpression
native:orientedminimumboundingbox
native:orthogonalize
native:package
native:pixelstopoints
native:pixelstopolygons
native:pointonsurface
native:pointsalonglines
native:pointstopath
native:pointtolayer
native:poleofinaccessibility
native:polygonfromlayerextent
native:polygonize
native:polygonstolines
native:postgisexecutesql
native:printlayoutmapextenttolayer
native:printlayouttoimage
native:printlayouttopdf
native:projectpointcartesian
native:promotetomulti
native:raiseexception
native:raisewarning
native:randomextract
native:randompointsinextent
native:randompointsinpolygons
native:randompointsonlines
native:rasterbooleanand
native:rasterize
native:rasterlayerproperties
native:rasterlayerstatistics
native:rasterlayeruniquevaluesreport
native:rasterlayerzonalstats
native:rasterlogicalor
native:rastersampling
native:rastersurfacevolume
native:reclassifybylayer
native:reclassifybytable
native:rectanglesovalsdiamonds
native:refactorfields
native:removeduplicatesbyattribute
native:removeduplicatevertices
native:removenullgeometries
native:renamelayer
native:renametablefield
native:repairshapefile
native:reprojectlayer
native:rescaleraster
native:retainfields
native:reverselinedirection
native:rotatefeatures
native:roundrastervalues
native:ruggednessindex
native:savefeatures
native:savelog
native:saveselectedfeatures
native:segmentizebymaxangle
native:segmentizebymaxdistance
native:selectbylocation
native:serviceareafromlayer
native:serviceareafrompoint
native:setlayerencoding
native:setlayerstyle
native:setmfromraster
native:setmvalue
native:setprojectvariable
native:setzfromraster
native:setzvalue
native:shortestpathlayertopoint
native:shortestpathpointtolayer
native:shortestpathpointtopoint
native:shpencodinginfo
native:simplifygeometries
native:singlesidedbuffer
native:slope
native:smoothgeometry
native:snapgeometries
native:snappointstogrid
native:spatialiteexecutesql
native:spatialiteexecutesqlregistered
native:splitfeaturesbycharacter
native:splitlinesbylength
native:splitvectorlayer
native:splitwithlines
native:stringconcatenation
native:stylefromproject
native:subdivide
native:sumlinelengths
native:swapxy
native:symmetricaldifference
native:taperedbuffer
native:tinmeshcreation
native:transect
native:translategeometry
native:truncatetable
native:union
native:wedgebuffers
native:writevectortiles_mbtiles
native:writevectortiles_xyz
native:zonalhistogram
native:zonalstatistics
native:zonalstatisticsfb
qgis:advancedpythonfieldcalculator
qgis:barplot
qgis:basicstatisticsforfields
qgis:boxplot
qgis:checkvalidity
qgis:climbalongline
qgis:concavehull
qgis:convertgeometrytype
qgis:definecurrentprojection
qgis:delaunaytriangulation
qgis:distancematrix
qgis:distancetonearesthublinetohub
qgis:distancetonearesthubpoints
qgis:eliminateselectedpolygons
qgis:executesql
qgis:exportaddgeometrycolumns
qgis:findprojection
qgis:generatepointspixelcentroidsalongline
qgis:heatmapkerneldensityestimation
qgis:hypsometriccurves
qgis:idwinterpolation
qgis:importintopostgis
qgis:importintospatialite
qgis:joinbylocationsummary
qgis:keepnbiggestparts
qgis:knearestconcavehull
qgis:linestopolygons
qgis:listuniquevalues
qgis:meanandstandarddeviationplot
qgis:minimumboundinggeometry
qgis:pointsdisplacement
qgis:polarplot
qgis:postgisexecuteandloadsql
qgis:randomextractwithinsubsets
qgis:randompointsalongline
qgis:randompointsinlayerbounds
qgis:randompointsinsidepolygons
qgis:randomselection
qgis:randomselectionwithinsubsets
qgis:rastercalculator
qgis:rasterlayerhistogram
qgis:rectanglesovalsdiamondsvariable
qgis:regularpoints
qgis:relief
qgis:scatter3dplot
qgis:selectbyattribute
qgis:selectbyexpression
qgis:setstyleforrasterlayer
qgis:setstyleforvectorlayer
qgis:statisticsbycategories
qgis:texttofloat
qgis:tilesxyzdirectory
qgis:tilesxyzmbtiles
qgis:tininterpolation
qgis:topologicalcoloring
qgis:variabledistancebuffer
qgis:vectorlayerhistogram
qgis:vectorlayerscatterplot
qgis:voronoipolygons
quickosm:buildqueryaroundarea
quickosm:buildquerybyattributeonly
quickosm:buildqueryextent
quickosm:buildqueryinsidearea
quickosm:buildrawquery
quickosm:decoratelayer
quickosm:downloadosmdataaroundareaquery
quickosm:downloadosmdataextentquery
quickosm:downloadosmdatainareaquery
quickosm:downloadosmdatanotspatialquery
quickosm:downloadosmdatarawquery
quickosm:openosmfile
saga:01:asimplelittersystem
saga:02:carboncyclesimulationforterrestrialbiomass
saga:03:spatiallydistributedsimulationofsoilnitrogendynamics
saga:3dpointsselection
saga:accumulatedcost
saga:accumulationfunctions
saga:addcoordinatestopoints
saga:addrastervaluestofeatures
saga:addrastervaluestopoints
saga:aggregatepointobservations
saga:aggregationindex
saga:airpressureadjustment
saga:analyticalhierarchyprocess
saga:analyticalhillshading
saga:angmap
saga:angulardistanceweighted
saga:annualcourseofdailyinsolation
saga:automatedcloudcoverassessment
saga:averagewithmask1
saga:averagewithmask2
saga:averagewiththereshold1
saga:averagewiththereshold2
saga:averagewiththereshold3
saga:basicterrainanalysis
saga:binaryerosionreconstruction
saga:bioclimaticvariables
saga:breachdepressions
saga:bsplineapproximation
saga:burnstreamnetworkintodem
saga:categoricalcoincidence
saga:cellbalance
saga:changeagridsnodatavalue
saga:changeagridsnodatavaluebulkprocessing
saga:changedatastorage
saga:changelongitudinalrangeforrasters
saga:changerastervaluesfloodfill
saga:channelnetwork
saga:channelnetworkanddrainagebasins
saga:cliffmetrics
saga:climateclassification
saga:clippointswithpolygons
saga:cliprasters
saga:cliprasterwithpolygon
saga:closegaps
saga:closegapswithspline
saga:closegapswithstepwiseresampling
saga:closeonecellgaps
saga:clouddetection
saga:cloudoverlap
saga:coldairflow
saga:colournormalizedbroveysharpening
saga:colournormalizedspectralsharpening
saga:combineclasses
saga:concentration
saga:confusionmatrixpolygonsraster
saga:confusionmatrixtworasters
saga:connectivityanalysis
saga:constantraster
saga:contourlinesfrompoints
saga:contourlinesfromraster
saga:convergenceindex
saga:convergenceindexsearchradius
saga:convertlinestopoints
saga:convertlinestopolygons
saga:convertmultipointstopoints
saga:convertpointstolines
saga:convertpolygonlineverticestopoints
saga:convertpolygonstolines
saga:converttabletopoints
saga:convertvertextype2d3d
saga:convexhull
saga:conwaysgameoflife
saga:coordinateconversionrasters
saga:coordinateconversiontable
saga:coordinatereferencesystempicker
saga:coordinatetransformationfeatureslist
saga:coordinatetransformationraster
saga:coordinatetransformationrasterlist
saga:copyfeatures
saga:copyfeaturesfromregion
saga:copyraster
saga:copyselectiontonewfeatureslayer
saga:countpointsinpolygons
saga:coverageofcategories
saga:covereddistance
saga:creategraticule
saga:createpointraster
saga:createrandompoints
saga:createrastercataloguefromfiles
saga:createrastercataloguesfromdirectory
saga:createtileshapefromvirtualpointcloud
saga:createvirtualpointclouddataset
saga:createvirtualrastervrt
saga:croptodata
saga:crossclassificationandtabulation
saga:crossprofiles
saga:cubicsplineapproximation
saga:curvatureclassification
saga:dailyinsolationoverlatitude
saga:dailytohourlyevapotranspiration
saga:decisiontree
saga:definegeoreferenceforrasters
saga:deleteselectionfromfeatureslayer
saga:destriping
saga:destripingwithmask
saga:difference
saga:diffusepollutionrisk
saga:diffusivehillslopeevolutionadi
saga:diffusivehillslopeevolutionftcs
saga:directgeoreferencingofairbornephotographs
saga:directionalaverage
saga:directionalrasterstatistics
saga:directionalstatisticsforsingleraster
saga:diurnalanisotropicheat
saga:diversityofcategories
saga:downslopedistancegradient
saga:dtmfilterslopebased
saga:earthsorbitalparameters
saga:edgecontamination
saga:effectiveairflowheights
saga:enhancedvegetationindex
saga:evapotranspirationraster
saga:evapotranspirationtable
saga:exportatlasboundaryfile
saga:exportesriarcinforaster
saga:exportfeatures
saga:exportfeaturestogenerate
saga:exportfeaturestokml
saga:exportfeaturestoxyz
saga:exportgeotiff
saga:exportgpx
saga:exportgstatfeatures
saga:exportpolygonstohtmlimagemap
saga:exportraster
saga:exportrastertoxyz
saga:exportscalablevectorgraphicssvgfile
saga:exportsimplefeaturestowellknowntext
saga:exportsurferblankingfile
saga:exportsurferraster
saga:exporttexttable
saga:exporttruecolorbitmap
saga:exportwaspterrainmapfile
saga:exportwrfgeogridbinaryformat
saga:fastrepresentativeness
saga:featuresbuffer
saga:featurestoraster
saga:fillsinksplanchondarboux2001
saga:fillsinksqmofesp
saga:fillsinkswangliu
saga:fillsinksxxlwangliu
saga:filterclumps
saga:fireriskanalysis
saga:flatdetection
saga:flattenpolygonlayer
saga:flowaccumulationflowtracing
saga:flowaccumulationonestep
saga:flowaccumulationparallelizable
saga:flowaccumulationqmofesp
saga:flowaccumulationrecursive
saga:flowaccumulationtopdown
saga:flowbetweenfields
saga:flowpathlength
saga:flowwidthandspecificcatchmentarea
saga:focalmechanismbeachballplots
saga:focalpcaonaraster
saga:focalstatistics
saga:fractalbrowniannoise
saga:fragmentationalternative
saga:fragmentationclassesfromdensityandconnectivity
saga:fragmentationstandard
saga:frostchangefrequency
saga:functionplotter
saga:fuzzify
saga:fuzzyintersectionand
saga:fuzzylandformelementclassification
saga:fuzzyunionor
saga:gaussianfilter
saga:gdalformats
saga:generatefeatures
saga:geocoding
saga:geodesicmorphologicalreconstruction
saga:geographiccoordinaterasters
saga:geographicdistances
saga:geographicdistancespairofcoordinates
saga:geometricfigures
saga:geomorphons
saga:georeferencewithcoordinaterasters
saga:getfeaturesextents
saga:getrasterfromvirtualpointcloud
saga:globalmoransiforgrids
saga:gpsbabel
saga:gpxtoshapefile
saga:gradientvectorfromcartesiantopolarcoordinates
saga:gradientvectorfrompolartocartesiancoordinates
saga:gradientvectorsfromdirectionalcomponents
saga:gradientvectorsfromdirectionandlength
saga:gradientvectorsfromsurface
saga:gravitationalprocesspathmodel
saga:growingdegreedays
saga:gwrformultiplepredictorrasters
saga:gwrforrasterdownscaling
saga:gwrforsinglepredictorraster
saga:gwrforsinglepredictorrasterdedmodeloutput
saga:histogrammatching
saga:hodgepodgemachine
saga:hypsometry
saga:identity
saga:ihssharpening
saga:imcorrfeaturetracking
saga:importatlasboundaryfile
saga:importbuildingsketchesfromcitygml
saga:importclipandresamplerasters
saga:importcrurasters
saga:importdxffiles
saga:importerdaslangis
saga:importfeatures
saga:importfeaturesfromxyz
saga:importfromvirtualrastervrt
saga:importgpx
saga:importgstatfeatures
saga:importlandsatscene
saga:importnetcdf
saga:importraster
saga:importrastersfromkml
saga:importsentinel2scene
saga:importsimplefeaturesfromwellknowntext
saga:importsurferblankingfiles
saga:importtexttable
saga:importtexttables
saga:importtexttablewithnumbersonly
saga:importusgssrtmraster
saga:importwaspterrainmapfile
saga:importwrfgeogridbinaryformat
saga:intersect
saga:inversedistanceweighted
saga:inverseprincipalcomponentsrotation
saga:invertdatanodata
saga:invertraster
saga:invertselectionoffeatureslayer
saga:isochronesvariablespeed
saga:isodataclusteringforrasters
saga:kerneldensityestimation
saga:kmeansclusteringforrasters
saga:lakeflood
saga:landcoverscenariooffset
saga:landflowversion10build351b
saga:landsatimportwithoptions
saga:landsurfacetemperature
saga:landsurfacetemperaturelapserates
saga:landusescenariogenerator
saga:laplacianfilter
saga:lapseratebasedtemperaturedownscaling
saga:lapseratebasedtemperaturedownscalingbulkprocessing
saga:largestcirclesinpolygons
saga:latitudelongitudegraticule
saga:layerofextremevalue
saga:leastcostpaths
saga:linecrossings
saga:linepolygonintersection
saga:lineproperties
saga:linesimplification
saga:linesmoothing
saga:localclimatezoneclassification
saga:localminimaandmaxima
saga:localstatisticalmeasures
saga:longitudinalrasterstatistics
saga:lsfactor
saga:lsfactorfieldbased
saga:lsfactoronestep
saga:majorityminorityfilter
saga:massbalanceindex
saga:maximumentropyclassifcation
saga:maximumentropypresenceprediction
saga:maximumflowpathlength
saga:meltonruggednessnumber
saga:mergelayers
saga:mergetables
saga:meridionalrasterstatistics
saga:meshdenoise
saga:metricconversions
saga:minimumdistanceanalysis
saga:mirrorraster
saga:mmfsagasoilerosionmodel
saga:modifedquadraticshepard
saga:monthlyglobalbylatitude
saga:morphologicalfilter
saga:morphometricfeatures
saga:morphometricprotectionindex
saga:mosaicking
saga:multibandvariation
saga:multidirectionleefilter
saga:multilevelbspline
saga:multilevelbsplineforcategories
saga:multilevelbsplinefromrasterpoints
saga:multiplelinearregressionanalysis
saga:multiplelinearregressionanalysisfeatures
saga:multipleregressionanalysispointsandpredictorrasters
saga:multipleregressionanalysisrasterandpredictorrasters
saga:multiresolutionindexofvalleybottomflatnessmrvbf
saga:multiscaletopographicpositionindextpi
saga:naturalneighbour