QGIS API Documentation 4.1.0-Master (5bf3c20f3c9)
Loading...
Searching...
No Matches
qgsalgorithmvalidatenetwork.cpp
Go to the documentation of this file.
1/***************************************************************************
2 qgsalgorithmvalidatenetwork.cpp
3 -------------------------------
4 begin : January 2026
5 copyright : (C) 2026 by Nyall Dawson
6 email : nyall dot dawson at gmail dot com
7 ***************************************************************************/
8
9/***************************************************************************
10 * *
11 * This program is free software; you can redistribute it and/or modify *
12 * it under the terms of the GNU General Public License as published by *
13 * the Free Software Foundation; either version 2 of the License, or *
14 * (at your option) any later version. *
15 * *
16 ***************************************************************************/
17
19
20#include "qgis.h"
21#include "qgsapplication.h"
22#include "qgsgraph.h"
23#include "qgsgraphbuilder.h"
24#include "qgslinestring.h"
28
29#include <QString>
30
31using namespace Qt::StringLiterals;
32
34
35QString QgsValidateNetworkAlgorithm::name() const
36{
37 return u"validatenetwork"_s;
38}
39
40QString QgsValidateNetworkAlgorithm::displayName() const
41{
42 return QObject::tr( "Validate network" );
43}
44
45QStringList QgsValidateNetworkAlgorithm::tags() const
46{
47 return QObject::tr( "topological,topology,check,graph,shortest,path" ).split( ',' );
48}
49
50QString QgsValidateNetworkAlgorithm::group() const
51{
52 return QObject::tr( "Network analysis" );
53}
54
55QString QgsValidateNetworkAlgorithm::groupId() const
56{
57 return u"networkanalysis"_s;
58}
59
60QIcon QgsValidateNetworkAlgorithm::icon() const
61{
62 return QgsApplication::getThemeIcon( u"/algorithms/mAlgorithmNetworkAnalysis.svg"_s );
63}
64
65QString QgsValidateNetworkAlgorithm::svgIconPath() const
66{
67 return QgsApplication::iconPath( u"/algorithms/mAlgorithmNetworkAnalysis.svg"_s );
68}
69
70QString QgsValidateNetworkAlgorithm::shortDescription() const
71{
72 return QObject::tr( "Validates a network line layer, identifying data and topology errors that may affect network analysis tools." );
73}
74
75QString QgsValidateNetworkAlgorithm::shortHelpString() const
76{
77 return QObject::tr(
78 "This algorithm analyzes a network vector layer to identify data and topology errors "
79 "that may affect network analysis tools (like shortest path).\n\n"
80 "Optional checks include:\n\n"
81 "1. Validating the 'Direction' field to ensure all direction field values in the input layer "
82 "match the configured forward/backward/both values. Errors will be reported if the direction field "
83 "value is non-null and does not match one of the configured values.\n"
84 "2. Checking node-to-node separation. This check identifies nodes from the network graph that "
85 "are closer to other nodes than the specified tolerance distance. This often indicates missed "
86 "snaps or short segments in the input layer. In the case that a node violates this condition with multiple other "
87 "nodes, only the closest violation will be reported.\n"
88 "3. Checking node-to-segment separation: This check identifies nodes that are closer to a line "
89 "segment (e.g. a graph edge) than the specified tolerance distance, without being connected to it. In the case "
90 "that a node violates this condition with multiple other edges, only the closest violation will be reported.\n\n"
91 "Topology checks (node-to-node and node-to-segment) can optionally be restricted to only evaluate nodes that are topological dead-ends (connected to only one other distinct node). This is useful "
92 "for specifically targeting dangles or undershoots.\n\n"
93 "Two layers are output by this algorithm:\n"
94 "1. An output containing features from the original network layer which failed the direction validation checks.\n"
95 "2. An output representing the problematic node locations with a 'error' field explaining the error. This is "
96 "a line layer, where the output features join the problematic node to the node or "
97 "segment which failed the tolerance checks."
98 );
99}
100
101QgsValidateNetworkAlgorithm *QgsValidateNetworkAlgorithm::createInstance() const
102{
103 return new QgsValidateNetworkAlgorithm();
104}
105
106void QgsValidateNetworkAlgorithm::initAlgorithm( const QVariantMap & )
107{
108 addParameter( new QgsProcessingParameterFeatureSource( u"INPUT"_s, QObject::tr( "Vector layer representing network" ), QList<int>() << static_cast<int>( Qgis::ProcessingSourceType::VectorLine ) ) );
109
110 auto separationNodeNodeParam = std::make_unique<QgsProcessingParameterDistance>( u"TOLERANCE_NODE_NODE"_s, QObject::tr( "Minimum separation between nodes" ), QVariant(), u"INPUT"_s, true );
111 separationNodeNodeParam->setFlags( separationNodeNodeParam->flags() | Qgis::ProcessingParameterFlag::Optional );
112 separationNodeNodeParam->setHelp(
113 QObject::tr(
114 "The minimum allowed distance between two distinct graph nodes.\n\n"
115 "Nodes closer than this distance (but not identical) will be flagged as errors.\n\n"
116 "Leave empty to disable this check."
117 )
118 );
119 addParameter( separationNodeNodeParam.release() );
120
121 auto separationNodeSegmentParam
122 = std::make_unique<QgsProcessingParameterDistance>( u"TOLERANCE_NODE_SEGMENT"_s, QObject::tr( "Minimum separation between nodes and non-noded segments" ), QVariant(), u"INPUT"_s, true );
123 separationNodeSegmentParam->setFlags( separationNodeSegmentParam->flags() | Qgis::ProcessingParameterFlag::Optional );
124 separationNodeSegmentParam->setHelp(
125 QObject::tr(
126 "The minimum allowed distance between a graph node and a graph edge (segment) "
127 "that is not connected to the node.\n\n"
128 "Nodes closer to a segment than this distance "
129 "will be flagged. Leave empty to disable this check."
130 )
131 );
132 addParameter( separationNodeSegmentParam.release() );
133
134 auto endpointsOnlyParam = std::make_unique<QgsProcessingParameterBoolean>( u"ENDPOINTS_ONLY"_s, QObject::tr( "Only check for errors at end points" ), false );
135 endpointsOnlyParam->setHelp(
136 QObject::tr( "If checked, topology checks (node-to-node and node-to-segment) will only be evaluated for nodes that are topological dead-ends (connected to only one other distinct node)." )
137 );
138 addParameter( endpointsOnlyParam.release() );
139
140 auto directionField
141 = std::make_unique<QgsProcessingParameterField>( u"DIRECTION_FIELD"_s, QObject::tr( "Direction field" ), QVariant(), u"INPUT"_s, Qgis::ProcessingFieldParameterDataType::Any, false, true );
142 directionField->setHelp( QObject::tr( "The attribute field specifying the direction of traffic flow for each segment." ) );
143 addParameter( directionField.release() );
144
145 auto forwardValue = std::make_unique<QgsProcessingParameterString>( u"VALUE_FORWARD"_s, QObject::tr( "Value for forward direction" ), QVariant(), false, true );
146 forwardValue->setHelp( QObject::tr( "The string value in the direction field that indicates one-way traffic in the digitized direction." ) );
147 addParameter( forwardValue.release() );
148
149 auto backwardValue = std::make_unique<QgsProcessingParameterString>( u"VALUE_BACKWARD"_s, QObject::tr( "Value for backward direction" ), QVariant(), false, true );
150 backwardValue->setHelp( QObject::tr( "The string value in the direction field that indicates one-way traffic opposite to the digitized direction." ) );
151 addParameter( backwardValue.release() );
152
153 auto bothValue = std::make_unique<QgsProcessingParameterString>( u"VALUE_BOTH"_s, QObject::tr( "Value for both directions" ), QVariant(), false, true );
154 bothValue->setHelp( QObject::tr( "The string value in the direction field that indicates two-way traffic." ) );
155 addParameter( bothValue.release() );
156
157 std::unique_ptr<QgsProcessingParameterNumber> tolerance = std::make_unique<QgsProcessingParameterDistance>( u"TOLERANCE"_s, QObject::tr( "Topology tolerance" ), 0, u"INPUT"_s, false, 0 );
158 tolerance->setFlags( tolerance->flags() | Qgis::ProcessingParameterFlag::Advanced );
159 addParameter( tolerance.release() );
160
161 auto invalidNetworkOutput
162 = std::make_unique< QgsProcessingParameterFeatureSink >( u"OUTPUT_INVALID_NETWORK"_s, QObject::tr( "Invalid network features" ), Qgis::ProcessingSourceType::VectorLine, QVariant(), true, true );
163 invalidNetworkOutput->setHelp(
164 QObject::tr(
165 "Output line layer containing geometries representing features from the network layer with validity errors.\n\n"
166 "This output includes an attribute explaining why each feature is invalid."
167 )
168 );
169 addParameter( invalidNetworkOutput.release() );
170
171 addOutput( new QgsProcessingOutputNumber( u"COUNT_INVALID_NETWORK_FEATURES"_s, QObject::tr( "Count of invalid network features" ) ) );
172
173 auto invalidNodeOutput
174 = std::make_unique< QgsProcessingParameterFeatureSink >( u"OUTPUT_INVALID_NODES"_s, QObject::tr( "Invalid network nodes" ), Qgis::ProcessingSourceType::VectorLine, QVariant(), true, true );
175 invalidNodeOutput->setHelp(
176 QObject::tr(
177 "Output line layer containing geometries representing nodes from the network layer with validity errors.\n\n"
178 "This output includes an attribute explaining why each node is invalid."
179 )
180 );
181 addParameter( invalidNodeOutput.release() );
182
183 addOutput( new QgsProcessingOutputNumber( u"COUNT_INVALID_NODES"_s, QObject::tr( "Count of invalid network nodes" ) ) );
184}
185
186QVariantMap QgsValidateNetworkAlgorithm::processAlgorithm( const QVariantMap &parameters, QgsProcessingContext &context, QgsProcessingFeedback *feedback )
187{
188 std::unique_ptr<QgsFeatureSource> networkSource( parameterAsSource( parameters, u"INPUT"_s, context ) );
189 if ( !networkSource )
190 throw QgsProcessingException( invalidSourceError( parameters, u"INPUT"_s ) );
191
192 const QString directionFieldName = parameterAsString( parameters, u"DIRECTION_FIELD"_s, context );
193 const QString forwardValue = parameterAsString( parameters, u"VALUE_FORWARD"_s, context );
194 const QString backwardValue = parameterAsString( parameters, u"VALUE_BACKWARD"_s, context );
195 const QString bothValue = parameterAsString( parameters, u"VALUE_BOTH"_s, context );
196 const double tolerance = parameterAsDouble( parameters, u"TOLERANCE"_s, context );
197
198 const bool checkEndpointsOnly = parameterAsBoolean( parameters, u"ENDPOINTS_ONLY"_s, context );
199
200 double toleranceNodeToNode = 0;
201 bool checkNodeToNodeDistance = false;
202 if ( parameters.value( u"TOLERANCE_NODE_NODE"_s ).isValid() )
203 {
204 toleranceNodeToNode = parameterAsDouble( parameters, u"TOLERANCE_NODE_NODE"_s, context );
205 checkNodeToNodeDistance = ( toleranceNodeToNode > 0 );
206 }
207
208 double toleranceNodeToSegment = 0;
209 bool checkNodeToSegmentDistance = false;
210 if ( parameters.value( u"TOLERANCE_NODE_SEGMENT"_s ).isValid() )
211 {
212 toleranceNodeToSegment = parameterAsDouble( parameters, u"TOLERANCE_NODE_SEGMENT"_s, context );
213 checkNodeToSegmentDistance = ( toleranceNodeToSegment > 0 );
214 }
215
216 QgsFields newNetworkErrorFields;
217 newNetworkErrorFields.append( QgsField( u"error"_s, QMetaType::Type::QString ) );
218 const QgsFields networkErrorFields = QgsProcessingUtils::combineFields( networkSource->fields(), newNetworkErrorFields );
219
220 QString networkErrorDest;
221 std::unique_ptr<QgsFeatureSink> networkErrorSink(
222 parameterAsSink( parameters, u"OUTPUT_INVALID_NETWORK"_s, context, networkErrorDest, networkErrorFields, networkSource->wkbType(), networkSource->sourceCrs() )
223 );
224
225 QgsFields nodeErrorFields;
226 nodeErrorFields.append( QgsField( u"error"_s, QMetaType::Type::QString ) );
227
228 QString nodeErrorDest;
229 std::unique_ptr<QgsFeatureSink> nodeErrorSink( parameterAsSink( parameters, u"OUTPUT_INVALID_NODES"_s, context, nodeErrorDest, nodeErrorFields, Qgis::WkbType::LineString, networkSource->sourceCrs() ) );
230
231 QgsProcessingMultiStepFeedback multiFeedback( 4, feedback );
232 multiFeedback.setStepWeights( { 10, 40, 10, 40 } );
233 multiFeedback.setCurrentStep( 0 );
234
235 QVariantMap outputs;
236 if ( networkErrorSink )
237 outputs.insert( u"OUTPUT_INVALID_NETWORK"_s, networkErrorDest );
238 if ( nodeErrorSink )
239 outputs.insert( u"OUTPUT_INVALID_NODES"_s, nodeErrorDest );
240
241 // attribute validation
242 int directionFieldIdx = -1;
243 long long countInvalidFeatures = 0;
244 if ( !directionFieldName.isEmpty() )
245 {
246 directionFieldIdx = networkSource->fields().lookupField( directionFieldName );
247 if ( directionFieldIdx < 0 )
248 {
249 throw QgsProcessingException( QObject::tr( "Missing field %1 in input layer" ).arg( directionFieldName ) );
250 }
251
252 multiFeedback.pushInfo( QObject::tr( "Validating direction attributes…" ) );
253 const long long count = networkSource->featureCount();
254 long long current = 0;
255 const double step = count > 0 ? 100.0 / static_cast< double >( count ) : 1;
256
257 QgsFeatureIterator fit = networkSource->getFeatures();
258 QgsFeature feature;
259 while ( fit.nextFeature( feature ) )
260 {
261 if ( multiFeedback.isCanceled() )
262 break;
263
264 const QVariant val = feature.attribute( directionFieldIdx );
265 if ( !QgsVariantUtils::isNull( val ) )
266 {
267 const QString directionValueString = val.toString();
268 if ( directionValueString != forwardValue && directionValueString != backwardValue && directionValueString != bothValue )
269 {
270 if ( networkErrorSink )
271 {
272 QgsFeature outputFeature = feature;
273 QgsAttributes outputFeatureAttrs = outputFeature.attributes();
274 outputFeatureAttrs.append( QObject::tr( "Invalid direction value: '%1'" ).arg( directionValueString ) );
275 outputFeature.setAttributes( outputFeatureAttrs );
276 if ( !networkErrorSink->addFeature( outputFeature, QgsFeatureSink::FastInsert ) )
277 {
278 throw QgsProcessingException( writeFeatureError( networkErrorSink.get(), parameters, u"OUTPUT_INVALID_NETWORK"_s ) );
279 }
280 }
281 countInvalidFeatures++;
282 }
283 }
284
285 current++;
286 multiFeedback.setProgress( static_cast< double >( current ) * step );
287 }
288
289 if ( networkErrorSink )
290 {
291 networkErrorSink->finalize();
292 }
293 }
294
295 outputs.insert( u"COUNT_INVALID_NETWORK_FEATURES"_s, countInvalidFeatures );
296 if ( countInvalidFeatures > 0 )
297 {
298 multiFeedback.reportError( QObject::tr( "Found %1 invalid network features" ).arg( countInvalidFeatures ) );
299 }
300
301 if ( !checkNodeToNodeDistance && !checkNodeToSegmentDistance )
302 {
303 // nothing more to do
304 return outputs;
305 }
306
307 multiFeedback.pushInfo( QObject::tr( "Building graph for topology validation…" ) );
308 multiFeedback.setCurrentStep( 1 );
309
310 QgsVectorLayerDirector director( networkSource.get(), directionFieldIdx, forwardValue, backwardValue, bothValue, QgsVectorLayerDirector::DirectionBoth );
311 QgsGraphBuilder builder( networkSource->sourceCrs(), true, tolerance, context.ellipsoid() );
312
313 QVector<QgsPointXY> snappedPoints;
314 director.makeGraph( &builder, {}, snappedPoints, &multiFeedback );
315
316 std::unique_ptr<QgsGraph> graph( builder.takeGraph() );
317
318 if ( multiFeedback.isCanceled() )
319 return outputs;
320
321 multiFeedback.pushInfo( QObject::tr( "Indexing graph nodes and edges…" ) );
322 multiFeedback.setCurrentStep( 2 );
323
324 // better index choice for point node index -- we satisfy the requirements
325 // of point geometries only, finalized once before reading
326 QgsSpatialIndexKDBush nodeIndex;
327 // standard QgsSpatialIndex for edges -- we can't use the faster KDBush index for these, as that is point only
329
330 const int vertexCount = graph->vertexCount();
331
332 const long long totalGraphElements = ( checkNodeToNodeDistance ? vertexCount : 0 ) + ( checkNodeToSegmentDistance ? graph->edgeCount() : 0 );
333 const double indexStep = totalGraphElements > 0 ? 100.0 / static_cast< double >( totalGraphElements ) : 1;
334 long long elementsProcessed = 0;
335
336 if ( checkNodeToNodeDistance )
337 {
338 for ( int i = 0; i < vertexCount; ++i )
339 {
340 if ( multiFeedback.isCanceled() )
341 break;
342 nodeIndex.addFeature( i, graph->vertex( i ).point() );
343 elementsProcessed++;
344 multiFeedback.setProgress( static_cast< double >( elementsProcessed ) * indexStep );
345 }
346 nodeIndex.finalize();
347 }
348
349 if ( checkNodeToSegmentDistance )
350 {
351 for ( int i = 0; i < graph->edgeCount(); ++i )
352 {
353 if ( multiFeedback.isCanceled() )
354 break;
355
356 const QgsGraphEdge &edge = graph->edge( i );
357 const QgsPointXY p1 = graph->vertex( edge.fromVertex() ).point();
358 const QgsPointXY p2 = graph->vertex( edge.toVertex() ).point();
359
360 edgeIndex.addFeature( i, QgsRectangle( p1, p2 ) );
361 elementsProcessed++;
362 multiFeedback.setProgress( static_cast< double >( elementsProcessed ) * indexStep );
363 }
364 }
365
366 // perform topology checks
367 multiFeedback.pushInfo( QObject::tr( "Validating graph topology…" ) );
368 multiFeedback.setCurrentStep( 2 );
369
370 const double topoStep = vertexCount > 0 ? 100.0 / vertexCount : 1;
371
372 struct NodeError
373 {
374 long long id = 0;
375 QgsPointXY pt;
376 double distance = std::numeric_limits<double>::max();
377 };
378
379 QSet< QPair< long long, long long > > alreadyReportedNodes;
380 long long countInvalidNodes = 0;
381
382 for ( long long i = 0; i < vertexCount; ++i )
383 {
384 if ( multiFeedback.isCanceled() )
385 break;
386
387 const QgsGraphVertex &v = graph->vertex( i );
388 const QgsPointXY &pt = v.point();
389
390 // whether we need to perform validation on this node
391 bool evaluateNode = true;
392
393 if ( checkEndpointsOnly )
394 {
395 // count unique neighbors to handle bidirectional segments (A->B and B->A) counting as one connection
396 QSet<int> adjacentNodeIndices;
397 for ( int edgeId : v.outgoingEdges() )
398 {
399 adjacentNodeIndices.insert( graph->edge( edgeId ).toVertex() );
400 }
401 for ( int edgeId : v.incomingEdges() )
402 {
403 adjacentNodeIndices.insert( graph->edge( edgeId ).fromVertex() );
404 }
405 if ( adjacentNodeIndices.count() != 1 )
406 {
407 evaluateNode = false;
408 }
409 }
410
411 if ( evaluateNode && checkNodeToNodeDistance )
412 {
413 const std::vector< QgsVectorLayerDirector::VertexSourceInfo > &fidsFirstNode = director.sourcesForVertex( i );
414
415 const QList<QgsSpatialIndexKDBushData> candidates = nodeIndex.intersects( QgsRectangle::fromCenterAndSize( pt, toleranceNodeToNode * 2, toleranceNodeToNode * 2 ) );
416
417 // only keep the closest violation
418 NodeError closestError;
419 for ( const QgsSpatialIndexKDBushData &data : candidates )
420 {
421 // skip self
422 if ( data.id == i )
423 continue;
424
425 // ignore nodes which are directly connected to each other
426 bool skip = false;
427 for ( const int edge : v.incomingEdges() )
428 {
429 if ( graph->edge( edge ).fromVertex() == i )
430 {
431 skip = true;
432 break;
433 }
434 }
435 if ( skip )
436 continue;
437 for ( const int edge : v.outgoingEdges() )
438 {
439 if ( graph->edge( edge ).toVertex() == data.id )
440 {
441 skip = true;
442 break;
443 }
444 }
445 if ( skip )
446 continue;
447
448 const std::vector<QgsVectorLayerDirector::VertexSourceInfo> &fidsSecondNode = director.sourcesForVertex( data.id );
449
450 bool shareCommonFeature = false;
451 for ( const QgsVectorLayerDirector::VertexSourceInfo &info1 : fidsFirstNode )
452 {
453 for ( const QgsVectorLayerDirector::VertexSourceInfo &info2 : fidsSecondNode )
454 {
455 if ( info1 == info2 )
456 {
457 shareCommonFeature = true;
458 break;
459 }
460 }
461 if ( shareCommonFeature )
462 break;
463 }
464
465 if ( shareCommonFeature )
466 {
467 // if there is a common feature joining these nodes, then don't consider them as invalid
468 continue;
469 }
470
471 const double distanceNodeToNode = pt.distance( data.point() );
472 if ( distanceNodeToNode < toleranceNodeToNode && distanceNodeToNode < closestError.distance )
473 {
474 closestError.distance = distanceNodeToNode;
475 closestError.id = data.id;
476 closestError.pt = data.point();
477 }
478 }
479
480 if ( !closestError.pt.isEmpty() )
481 {
482 const QPair< long long, long long > nodeId = qMakePair( std::min( closestError.id, i ), std::max( closestError.id, i ) );
483 if ( alreadyReportedNodes.contains( nodeId ) )
484 {
485 // already reported this -- eg when checking the other node in the pair
486 continue;
487 }
488 alreadyReportedNodes.insert( nodeId );
489
490 if ( nodeErrorSink )
491 {
492 QgsFeature nodeErrorFeature( nodeErrorFields );
493 nodeErrorFeature.setGeometry( std::make_unique< QgsLineString >( QVector<QgsPointXY>() << pt << closestError.pt ) );
494 nodeErrorFeature.setAttributes( QgsAttributes() << QObject::tr( "Node too close to adjacent node (%1 < %2)" ).arg( closestError.distance ).arg( toleranceNodeToNode ) );
495 if ( !nodeErrorSink->addFeature( nodeErrorFeature, QgsFeatureSink::FastInsert ) )
496 throw QgsProcessingException( writeFeatureError( nodeErrorSink.get(), parameters, u"OUTPUT_INVALID_NODES"_s ) );
497 }
498 countInvalidNodes++;
499 }
500 }
501
502 if ( evaluateNode && checkNodeToSegmentDistance )
503 {
504 // only keep the closest violation
505 NodeError closestError;
506
507 const QList<QgsFeatureId> edgeIds = edgeIndex.intersects( QgsRectangle::fromCenterAndSize( pt, toleranceNodeToSegment * 2, toleranceNodeToSegment * 2 ) );
508 for ( QgsFeatureId edgeIdx : edgeIds )
509 {
510 const QgsGraphEdge &edge = graph->edge( static_cast< int >( edgeIdx ) );
511 // skip edges connected to this node
512 if ( edge.fromVertex() == i || edge.toVertex() == i )
513 continue;
514
515 const QgsPointXY p1 = graph->vertex( edge.fromVertex() ).point();
516 const QgsPointXY p2 = graph->vertex( edge.toVertex() ).point();
517
518 QgsPointXY closestPt;
519 const double distanceToSegment = std::sqrt( pt.sqrDistToSegment( p1.x(), p1.y(), p2.x(), p2.y(), closestPt ) );
520 if ( distanceToSegment >= toleranceNodeToSegment )
521 continue;
522
523 // we don't consider this a node-to-segment error if the closest point is actually one of the segment endpoints.
524 // in that case it's a node-to-NODE error.
525 if ( closestPt.compare( p1 ) || closestPt.compare( p2 ) )
526 {
527 continue;
528 }
529
530 if ( distanceToSegment > closestError.distance )
531 {
532 continue;
533 }
534 closestError.distance = distanceToSegment;
535 closestError.pt = closestPt;
536 }
537
538 if ( !closestError.pt.isEmpty() )
539 {
540 if ( nodeErrorSink )
541 {
542 QgsFeature nodeErrorFeature( nodeErrorFields );
543 nodeErrorFeature.setGeometry( std::make_unique< QgsLineString >( QVector<QgsPointXY>() << pt << closestError.pt ) );
544 nodeErrorFeature.setAttributes( QgsAttributes() << QObject::tr( "Node too close to non-noded segment (%1 < %2)" ).arg( closestError.distance ).arg( toleranceNodeToSegment ) );
545 if ( !nodeErrorSink->addFeature( nodeErrorFeature, QgsFeatureSink::FastInsert ) )
546 throw QgsProcessingException( writeFeatureError( nodeErrorSink.get(), parameters, u"OUTPUT_INVALID_NODES"_s ) );
547 }
548 countInvalidNodes++;
549 }
550 }
551
552 multiFeedback.setProgress( static_cast< double >( i ) * topoStep );
553 }
554
555 if ( nodeErrorSink )
556 {
557 nodeErrorSink->finalize();
558 }
559
560 feedback->setProgress( 100 );
561 if ( countInvalidNodes > 0 )
562 {
563 multiFeedback.reportError( QObject::tr( "Found %1 invalid network nodes" ).arg( countInvalidNodes ) );
564 }
565
566 outputs.insert( u"COUNT_INVALID_NODES"_s, countInvalidNodes );
567
568 return outputs;
569}
570
@ VectorLine
Vector line layers.
Definition qgis.h:3649
@ LineString
LineString.
Definition qgis.h:297
@ Advanced
Parameter is an advanced parameter which should be hidden from users by default.
Definition qgis.h:3880
@ Optional
Parameter is optional.
Definition qgis.h:3882
static QIcon getThemeIcon(const QString &name, const QColor &fillColor=QColor(), const QColor &strokeColor=QColor())
Helper to get a theme icon.
static QString iconPath(const QString &iconFile)
Returns path to the desired icon file.
A vector of attributes.
Wrapper for iterator of features from vector data provider or vector layer.
bool nextFeature(QgsFeature &f)
Fetch next feature and stores in f, returns true on success.
@ FastInsert
Use faster inserts, at the cost of updating the passed features to reflect changes made at the provid...
The feature class encapsulates a single feature including its unique ID, geometry and a list of field...
Definition qgsfeature.h:60
QgsAttributes attributes
Definition qgsfeature.h:69
void setAttributes(const QgsAttributes &attrs)
Sets the feature's attributes.
Q_INVOKABLE QVariant attribute(const QString &name) const
Lookup attribute value by attribute name.
void setProgress(double progress)
Sets the current progress for the feedback object.
Definition qgsfeedback.h:65
Encapsulate a field in an attribute table or data source.
Definition qgsfield.h:56
Container of fields for a vector layer.
Definition qgsfields.h:46
bool append(const QgsField &field, Qgis::FieldOrigin origin=Qgis::FieldOrigin::Provider, int originIndex=-1)
Appends a field.
Definition qgsfields.cpp:75
Used for making the QgsGraph object.
Represents an edge in a graph.
Definition qgsgraph.h:44
int fromVertex() const
Returns the index of the vertex at the start of this edge.
Definition qgsgraph.cpp:180
int toVertex() const
Returns the index of the vertex at the end of this edge.
Definition qgsgraph.cpp:185
Represents vertex in a graph.
Definition qgsgraph.h:89
QgsGraphEdgeIds outgoingEdges() const
Returns outgoing edge ids, i.e.
Definition qgsgraph.cpp:199
QgsGraphEdgeIds incomingEdges() const
Returns the incoming edge ids, i.e.
Definition qgsgraph.cpp:194
QgsPointXY point() const
Returns point associated with graph vertex.
Definition qgsgraph.cpp:204
Represents a 2D point.
Definition qgspointxy.h:62
double distance(double x, double y) const
Returns the distance between this point and a specified x, y coordinate.
Definition qgspointxy.h:209
bool compare(const QgsPointXY &other, double epsilon=4 *std::numeric_limits< double >::epsilon()) const
Compares this point with another point with a fuzzy tolerance.
Definition qgspointxy.h:256
double y
Definition qgspointxy.h:66
double x
Definition qgspointxy.h:65
double sqrDistToSegment(double x1, double y1, double x2, double y2, QgsPointXY &minDistPoint, double epsilon=Qgis::DEFAULT_SEGMENT_EPSILON) const
Returns the minimum distance between this point and a segment.
Contains information about the context in which a processing algorithm is executed.
QString ellipsoid() const
Returns the ellipsoid to use for distance and area calculations.
Custom exception class for processing related exceptions.
Base class for providing feedback from a processing algorithm.
Processing feedback object for multi-step operations.
A numeric output for processing algorithms.
An input feature source (such as vector layers) parameter for processing algorithms.
static QgsFields combineFields(const QgsFields &fieldsA, const QgsFields &fieldsB, const QString &fieldsBPrefix=QString())
Combines two field lists, avoiding duplicate field names (in a case-insensitive manner).
A rectangle specified with double values.
static QgsRectangle fromCenterAndSize(const QgsPointXY &center, double width, double height)
Creates a new rectangle, given the specified center point and width and height.
A container for data stored inside a QgsSpatialIndexKDBush index.
A very fast static spatial index for 2D points based on a flat KD-tree.
void finalize()
Finalizes the index after manually adding features.
QList< QgsSpatialIndexKDBushData > intersects(const QgsRectangle &rectangle) const
Returns the list of features which fall within the specified rectangle.
bool addFeature(QgsFeatureId id, const QgsPointXY &point)
Adds a single feature to the index.
A spatial index for QgsFeature objects.
@ FlagStoreFeatureGeometries
Indicates that the spatial index should also store feature geometries. This requires more memory,...
static bool isNull(const QVariant &variant, bool silenceNullWarnings=false)
Returns true if the specified variant should be considered a NULL value.
Determines creating a graph from a vector line layer.
qint64 QgsFeatureId
64 bit feature ids negative numbers are used for uncommitted/newly added features
Represents information about a graph node's source vertex.