QGIS API Documentation  3.2.0-Bonn (bc43194)
qgsvectorlayerexporter.cpp
Go to the documentation of this file.
1 /***************************************************************************
2  qgsvectorlayerexporter.cpp
3  -------------------
4  begin : Thu Aug 25 2011
5  copyright : (C) 2011 by Giuseppe Sucameli
6  email : brush.tyler at gmail.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 
18 #include "qgsfields.h"
19 #include "qgsfeature.h"
20 #include "qgsfeatureiterator.h"
21 #include "qgsgeometry.h"
22 #include "qgslogger.h"
23 #include "qgsmessagelog.h"
25 #include "qgsvectorlayerexporter.h"
26 #include "qgsproviderregistry.h"
27 #include "qgsdatasourceuri.h"
28 #include "qgsexception.h"
29 #include "qgsvectordataprovider.h"
30 #include "qgsvectorlayer.h"
31 
32 #include <QProgressDialog>
33 
34 #define FEATURE_BUFFER_SIZE 200
35 
37  const QString &uri,
38  const QgsFields &fields,
39  QgsWkbTypes::Type geometryType,
40  const QgsCoordinateReferenceSystem &destCRS,
41  bool overwrite,
42  QMap<int, int> *oldToNewAttrIdx,
43  QString *errorMessage,
44  const QMap<QString, QVariant> *options
45 );
46 
47 
49  const QString &providerKey,
50  const QgsFields &fields,
51  QgsWkbTypes::Type geometryType,
53  bool overwrite,
54  const QMap<QString, QVariant> &options )
55  : mErrorCount( 0 )
56  , mAttributeCount( -1 )
57 
58 {
59  mProvider = nullptr;
60 
62 
63  std::unique_ptr< QLibrary > myLib( pReg->createProviderLibrary( providerKey ) );
64  if ( !myLib )
65  {
66  mError = ErrInvalidProvider;
67  mErrorMessage = QObject::tr( "Unable to load %1 provider" ).arg( providerKey );
68  return;
69  }
70 
71  createEmptyLayer_t *pCreateEmpty = reinterpret_cast< createEmptyLayer_t * >( cast_to_fptr( myLib->resolve( "createEmptyLayer" ) ) );
72  if ( !pCreateEmpty )
73  {
75  mErrorMessage = QObject::tr( "Provider %1 has no %2 method" ).arg( providerKey, QStringLiteral( "createEmptyLayer" ) );
76  return;
77  }
78 
79  // create an empty layer
80  QString errMsg;
81  mError = pCreateEmpty( uri, fields, geometryType, crs, overwrite, &mOldToNewAttrIdx, &errMsg, !options.isEmpty() ? &options : nullptr );
82  if ( errorCode() )
83  {
84  mErrorMessage = errMsg;
85  return;
86  }
87 
88  Q_FOREACH ( int idx, mOldToNewAttrIdx )
89  {
90  if ( idx > mAttributeCount )
91  mAttributeCount = idx;
92  }
93 
94  mAttributeCount++;
95 
96  QgsDebugMsg( "Created empty layer" );
97 
98  QString uriUpdated( uri );
99  // HACK sorry...
100  if ( providerKey == QLatin1String( "ogr" ) )
101  {
102  QString layerName;
103  if ( options.contains( QStringLiteral( "layerName" ) ) )
104  layerName = options.value( QStringLiteral( "layerName" ) ).toString();
105  if ( !layerName.isEmpty() )
106  {
107  uriUpdated += QLatin1String( "|layername=" );
108  uriUpdated += layerName;
109  }
110  }
111 
112  QgsDataProvider::ProviderOptions providerOptions;
113  QgsVectorDataProvider *vectorProvider = dynamic_cast< QgsVectorDataProvider * >( pReg->createProvider( providerKey, uriUpdated, providerOptions ) );
114  if ( !vectorProvider || !vectorProvider->isValid() || ( vectorProvider->capabilities() & QgsVectorDataProvider::AddFeatures ) == 0 )
115  {
116  mError = ErrInvalidLayer;
117  mErrorMessage = QObject::tr( "Loading of layer failed" );
118 
119  delete vectorProvider;
120  return;
121  }
122 
123  mProvider = vectorProvider;
124  mError = NoError;
125 }
126 
128 {
129  flushBuffer();
130 
131  if ( mProvider )
132  delete mProvider;
133 }
134 
136 {
137  return mError;
138 }
139 
141 {
142  return mErrorMessage;
143 }
144 
146 {
147  QgsFeatureList::iterator fIt = features.begin();
148  bool result = true;
149  for ( ; fIt != features.end(); ++fIt )
150  {
151  result = result && addFeature( *fIt, flags );
152  }
153  return result;
154 }
155 
157 {
158  QgsAttributes attrs = feat.attributes();
159 
160  QgsFeature newFeat;
161  if ( feat.hasGeometry() )
162  newFeat.setGeometry( feat.geometry() );
163 
164  newFeat.initAttributes( mAttributeCount );
165 
166  for ( int i = 0; i < attrs.count(); ++i )
167  {
168  // add only mapped attributes (un-mapped ones will not be present in the
169  // destination layer)
170  int dstIdx = mOldToNewAttrIdx.value( i, -1 );
171  if ( dstIdx < 0 )
172  continue;
173 
174  QgsDebugMsgLevel( QString( "moving field from pos %1 to %2" ).arg( i ).arg( dstIdx ), 3 );
175  newFeat.setAttribute( dstIdx, attrs.at( i ) );
176  }
177 
178  mFeatureBuffer.append( newFeat );
179 
180  if ( mFeatureBuffer.count() >= FEATURE_BUFFER_SIZE )
181  {
182  return flushBuffer();
183  }
184 
185  return true;
186 }
187 
189 {
190  if ( mFeatureBuffer.count() <= 0 )
191  return true;
192 
193  if ( !mProvider->addFeatures( mFeatureBuffer, QgsFeatureSink::FastInsert ) )
194  {
195  QStringList errors = mProvider->errors();
196  mProvider->clearErrors();
197 
198  mErrorMessage = QObject::tr( "Creation error for features from #%1 to #%2. Provider errors was: \n%3" )
199  .arg( mFeatureBuffer.first().id() )
200  .arg( mFeatureBuffer.last().id() )
201  .arg( errors.join( QStringLiteral( "\n" ) ) );
202 
203  mError = ErrFeatureWriteFailed;
204  mErrorCount += mFeatureBuffer.count();
205 
206  mFeatureBuffer.clear();
207  QgsDebugMsg( mErrorMessage );
208  return false;
209  }
210 
211  mFeatureBuffer.clear();
212  return true;
213 }
214 
215 bool QgsVectorLayerExporter::createSpatialIndex()
216 {
217  if ( mProvider && ( mProvider->capabilities() & QgsVectorDataProvider::CreateSpatialIndex ) != 0 )
218  {
219  return mProvider->createSpatialIndex();
220  }
221  else
222  {
223  return true;
224  }
225 }
226 
229  const QString &uri,
230  const QString &providerKey,
231  const QgsCoordinateReferenceSystem &destCRS,
232  bool onlySelected,
233  QString *errorMessage,
234  const QMap<QString, QVariant> &options,
235  QgsFeedback *feedback )
236 {
239  bool shallTransform = false;
240 
241  if ( !layer )
242  return ErrInvalidLayer;
243 
244  if ( destCRS.isValid() )
245  {
246  // This means we should transform
247  outputCRS = destCRS;
248  shallTransform = true;
249  }
250  else
251  {
252  // This means we shouldn't transform, use source CRS as output (if defined)
253  outputCRS = layer->crs();
254  }
255 
256 
257  bool overwrite = false;
258  bool forceSinglePartGeom = false;
259  QMap<QString, QVariant> providerOptions = options;
260  if ( !options.isEmpty() )
261  {
262  overwrite = providerOptions.take( QStringLiteral( "overwrite" ) ).toBool();
263  forceSinglePartGeom = providerOptions.take( QStringLiteral( "forceSinglePartGeometryType" ) ).toBool();
264  }
265 
266  QgsFields fields = layer->fields();
267  QgsWkbTypes::Type wkbType = layer->wkbType();
268 
269  // Special handling for Shapefiles
270  if ( layer->providerType() == QLatin1String( "ogr" ) && layer->storageType() == QLatin1String( "ESRI Shapefile" ) )
271  {
272  // convert field names to lowercase
273  for ( int fldIdx = 0; fldIdx < fields.count(); ++fldIdx )
274  {
275  fields[fldIdx].setName( fields.at( fldIdx ).name().toLower() );
276  }
277 
278  if ( !forceSinglePartGeom )
279  {
280  // convert wkbtype to multipart (see #5547)
281  switch ( wkbType )
282  {
283  case QgsWkbTypes::Point:
284  wkbType = QgsWkbTypes::MultiPoint;
285  break;
288  break;
290  wkbType = QgsWkbTypes::MultiPolygon;
291  break;
293  wkbType = QgsWkbTypes::MultiPoint25D;
294  break;
297  break;
300  break;
301  default:
302  break;
303  }
304  }
305  }
306 
307  QgsVectorLayerExporter *writer =
308  new QgsVectorLayerExporter( uri, providerKey, fields, wkbType, outputCRS, overwrite, providerOptions );
309 
310  // check whether file creation was successful
311  ExportError err = writer->errorCode();
312  if ( err != NoError )
313  {
314  if ( errorMessage )
315  *errorMessage = writer->errorMessage();
316  delete writer;
317  return err;
318  }
319 
320  if ( errorMessage )
321  {
322  errorMessage->clear();
323  }
324 
325  QgsFeature fet;
326 
327  QgsFeatureRequest req;
328  if ( wkbType == QgsWkbTypes::NoGeometry )
330  if ( onlySelected )
331  req.setFilterFids( layer->selectedFeatureIds() );
332 
333  QgsFeatureIterator fit = layer->getFeatures( req );
334 
335  // Create our transform
336  if ( destCRS.isValid() )
337  {
339  ct = QgsCoordinateTransform( layer->crs(), destCRS );
341  }
342 
343  // Check for failure
344  if ( !ct.isValid() )
345  shallTransform = false;
346 
347  long n = 0;
348  long approxTotal = onlySelected ? layer->selectedFeatureCount() : layer->featureCount();
349 
350  if ( errorMessage )
351  {
352  *errorMessage = QObject::tr( "Feature write errors:" );
353  }
354 
355  bool canceled = false;
356 
357  // write all features
358  while ( fit.nextFeature( fet ) )
359  {
360  if ( feedback && feedback->isCanceled() )
361  {
362  canceled = true;
363  if ( errorMessage )
364  {
365  *errorMessage += '\n' + QObject::tr( "Import was canceled at %1 of %2" ).arg( n ).arg( approxTotal );
366  }
367  break;
368  }
369 
370  if ( writer->errorCount() > 1000 )
371  {
372  if ( errorMessage )
373  {
374  *errorMessage += '\n' + QObject::tr( "Stopping after %1 errors" ).arg( writer->errorCount() );
375  }
376  break;
377  }
378 
379  if ( shallTransform )
380  {
381  try
382  {
383  if ( fet.hasGeometry() )
384  {
385  QgsGeometry g = fet.geometry();
386  g.transform( ct );
387  fet.setGeometry( g );
388  }
389  }
390  catch ( QgsCsException &e )
391  {
392  delete writer;
393 
394  QString msg = QObject::tr( "Failed to transform a point while drawing a feature with ID '%1'. Writing stopped. (Exception: %2)" )
395  .arg( fet.id() ).arg( e.what() );
396  QgsMessageLog::logMessage( msg, QObject::tr( "Vector import" ) );
397  if ( errorMessage )
398  *errorMessage += '\n' + msg;
399 
400  return ErrProjection;
401  }
402  }
403  if ( !writer->addFeature( fet ) )
404  {
405  if ( writer->errorCode() && errorMessage )
406  {
407  *errorMessage += '\n' + writer->errorMessage();
408  }
409  }
410  n++;
411 
412  if ( feedback )
413  {
414  feedback->setProgress( 100.0 * static_cast< double >( n ) / approxTotal );
415  }
416 
417  }
418 
419  // flush the buffer to be sure that all features are written
420  if ( !writer->flushBuffer() )
421  {
422  if ( writer->errorCode() && errorMessage )
423  {
424  *errorMessage += '\n' + writer->errorMessage();
425  }
426  }
427  int errors = writer->errorCount();
428 
429  if ( !writer->createSpatialIndex() )
430  {
431  if ( writer->errorCode() && errorMessage )
432  {
433  *errorMessage += '\n' + writer->errorMessage();
434  }
435  }
436 
437  delete writer;
438 
439  if ( errorMessage )
440  {
441  if ( errors > 0 )
442  {
443  *errorMessage += '\n' + QObject::tr( "Only %1 of %2 features written." ).arg( n - errors ).arg( n );
444  }
445  else
446  {
447  errorMessage->clear();
448  }
449  }
450 
451  if ( canceled )
452  return ErrUserCanceled;
453  else if ( errors > 0 )
454  return ErrFeatureWriteFailed;
455 
456  return NoError;
457 }
458 
459 
460 //
461 // QgsVectorLayerExporterTask
462 //
463 
464 QgsVectorLayerExporterTask::QgsVectorLayerExporterTask( QgsVectorLayer *layer, const QString &uri, const QString &providerKey, const QgsCoordinateReferenceSystem &destinationCrs, const QMap<QString, QVariant> &options, bool ownsLayer )
465  : QgsTask( tr( "Exporting %1" ).arg( layer->name() ), QgsTask::CanCancel )
466  , mLayer( layer )
467  , mOwnsLayer( ownsLayer )
468  , mDestUri( uri )
469  , mDestProviderKey( providerKey )
470  , mDestCrs( destinationCrs )
471  , mOptions( options )
472  , mOwnedFeedback( new QgsFeedback() )
473 {
474  if ( mLayer )
475  setDependentLayers( QList< QgsMapLayer * >() << mLayer );
476 }
477 
478 QgsVectorLayerExporterTask *QgsVectorLayerExporterTask::withLayerOwnership( QgsVectorLayer *layer, const QString &uri, const QString &providerKey, const QgsCoordinateReferenceSystem &destinationCrs, const QMap<QString, QVariant> &options )
479 {
480  std::unique_ptr< QgsVectorLayerExporterTask > newTask( new QgsVectorLayerExporterTask( layer, uri, providerKey, destinationCrs, options ) );
481  newTask->mOwnsLayer = true;
482  return newTask.release();
483 }
484 
486 {
487  mOwnedFeedback->cancel();
488  QgsTask::cancel();
489 }
490 
492 {
493  if ( !mLayer )
494  return false;
495 
496  connect( mOwnedFeedback.get(), &QgsFeedback::progressChanged, this, &QgsVectorLayerExporterTask::setProgress );
497 
498 
500  mLayer.data(), mDestUri, mDestProviderKey, mDestCrs, false, &mErrorMessage,
501  mOptions, mOwnedFeedback.get() );
502 
503  return mError == QgsVectorLayerExporter::NoError;
504 }
505 
507 {
508  // QgsMapLayer has QTimer member, which must not be destroyed from another thread
509  if ( mOwnsLayer )
510  delete mLayer;
511 
512  if ( result )
513  emit exportComplete();
514  else
515  emit errorOccurred( mError, mErrorMessage );
516 }
QgsFeatureId id
Definition: qgsfeature.h:71
Wrapper for iterator of features from vector data provider or vector layer.
Could not access newly created destination layer.
bool flushBuffer() override
Flushes any internal buffer which may exist in the sink, causing any buffered features to be added to...
Use faster inserts, at the cost of updating the passed features to reflect changes made at the provid...
void setProgress(double progress)
Sets the task&#39;s current progress.
virtual QgsVectorDataProvider::Capabilities capabilities() const
Returns flags containing the supported capabilities.
QString name
Definition: qgsfield.h:57
OperationResult transform(const QgsCoordinateTransform &ct, QgsCoordinateTransform::TransformDirection direction=QgsCoordinateTransform::ForwardTransform, bool transformZ=false) SIP_THROW(QgsCsException)
Transforms this geometry as described by the coordinate transform ct.
QString storageType() const
Returns the permanent storage type for this layer as a friendly name.
#define QgsDebugMsg(str)
Definition: qgslogger.h:38
bool addFeatures(QgsFeatureList &flist, QgsFeatureSink::Flags flags=nullptr) override
Adds a list of features to the sink.
QList< QgsFeature > QgsFeatureList
Definition: qgsfeature.h:549
#define FEATURE_BUFFER_SIZE
static ExportError exportLayer(QgsVectorLayer *layer, const QString &uri, const QString &providerKey, const QgsCoordinateReferenceSystem &destCRS, bool onlySelected=false, QString *errorMessage=nullptr, const QMap< QString, QVariant > &options=QMap< QString, QVariant >(), QgsFeedback *feedback=nullptr)
Writes the contents of vector layer to a different datasource.
int selectedFeatureCount() const
Returns the number of features that are selected in this layer.
void setProgress(double progress)
Sets the current progress for the feedback object.
Definition: qgsfeedback.h:63
QString errorMessage() const
Returns any error message encountered during the export.
#define Q_NOWARN_DEPRECATED_PUSH
Definition: qgis.h:538
static QgsVectorLayerExporterTask * withLayerOwnership(QgsVectorLayer *layer, const QString &uri, const QString &providerKey, const QgsCoordinateReferenceSystem &destinationCrs, const QMap< QString, QVariant > &options=QMap< QString, QVariant >())
Creates a new QgsVectorLayerExporterTask which has ownership over a source layer. ...
void setDependentLayers(const QList< QgsMapLayer *> &dependentLayers)
Sets a list of layers on which the task depends.
Container of fields for a vector layer.
Definition: qgsfields.h:42
A geometry is the spatial representation of a feature.
Definition: qgsgeometry.h:104
bool setAttribute(int field, const QVariant &attr)
Set an attribute&#39;s value by field index.
Definition: qgsfeature.cpp:204
The feature class encapsulates a single feature including its id, geometry and a list of field/values...
Definition: qgsfeature.h:62
Could not find a matching provider key.
bool hasGeometry() const
Returns true if the feature has an associated geometry.
Definition: qgsfeature.cpp:190
int count() const
Returns number of items.
Definition: qgsfields.cpp:115
ExportError errorCode() const
Returns any encountered error code, or false if no error was encountered.
bool isValid() const
Returns true if the coordinate transform is valid, ie both the source and destination CRS have been s...
QString what() const
Definition: qgsexception.h:48
QgsField at(int i) const
Gets field at particular index (must be in range 0..N-1)
Definition: qgsfields.cpp:145
QgsDataProvider * createProvider(const QString &providerKey, const QString &dataSource, const QgsDataProvider::ProviderOptions &options=QgsDataProvider::ProviderOptions())
Creates a new instance of a provider.
Base class for feedback objects to be used for cancelation of something running in a worker thread...
Definition: qgsfeedback.h:44
Allows creation of spatial index.
virtual bool createSpatialIndex()
Creates a spatial index on the datasource (if supported by the provider type).
Type
The WKB type describes the number of dimensions a geometry has.
Definition: qgswkbtypes.h:67
static QgsProviderRegistry * instance(const QString &pluginPath=QString())
Means of accessing canonical single instance.
void progressChanged(double progress)
Emitted when the feedback object reports a progress change.
const QgsFeatureIds & selectedFeatureIds() const
Returns a list of the selected features IDs in this layer.
QgsFields fields() const override
Returns the list of fields of this layer.
#define QgsDebugMsgLevel(str, level)
Definition: qgslogger.h:39
QLibrary * createProviderLibrary(const QString &providerKey) const
Returns a new QLibrary for the specified providerKey.
virtual bool isValid() const =0
Returns true if this is a valid layer.
QgsVectorLayerExporterTask(QgsVectorLayer *layer, const QString &uri, const QString &providerKey, const QgsCoordinateReferenceSystem &destinationCrs, const QMap< QString, QVariant > &options=QMap< QString, QVariant >(), bool ownsLayer=false)
Constructor for QgsVectorLayerExporterTask.
long featureCount(const QString &legendKey) const
Number of features rendered with specified legend key.
void initAttributes(int fieldCount)
Initialize this feature with the given number of fields.
Definition: qgsfeature.cpp:195
static void logMessage(const QString &message, const QString &tag=QString(), Qgis::MessageLevel level=Qgis::Warning, bool notifyUser=true)
Adds a message to the log instance (and creates it if necessary).
QgsWkbTypes::Type wkbType() const override
Returns the WKBType or WKBUnknown in case of error.
Abstract base class for long running background tasks.
QStringList errors() const
Gets recorded errors.
This class wraps a request for features to a vector layer (or directly its vector data provider)...
An error occurred while writing a feature to the destination.
QgsCoordinateReferenceSystem crs() const
Returns the layer&#39;s spatial reference system.
void clearErrors()
Clear recorded errors.
QgsTask task which performs a QgsVectorLayerExporter layer export operation as a background task...
An error occurred while reprojecting features to destination CRS.
QgsGeometry geometry() const
Returns the geometry associated with this feature.
Definition: qgsfeature.cpp:101
#define cast_to_fptr(f)
Definition: qgis.h:170
void errorOccurred(int error, const QString &errorMessage)
Emitted when an error occurs which prevented the layer being exported (or if the task is canceled)...
bool addFeatures(QgsFeatureList &features, QgsFeatureSink::Flags flags=nullptr) override
Adds a list of features to the sink.
A convenience class for exporting vector layers to a destination data provider.
QgsFeatureIterator getFeatures(const QgsFeatureRequest &request=QgsFeatureRequest()) const override
Query the layer for features specified in request.
bool addFeature(QgsFeature &feature, QgsFeatureSink::Flags flags=nullptr) override
Adds a single feature to the sink.
A registry / canonical manager of data providers.
virtual void cancel()
Notifies the task that it should terminate.
QgsVectorLayerExporter(const QString &uri, const QString &provider, const QgsFields &fields, QgsWkbTypes::Type geometryType, const QgsCoordinateReferenceSystem &crs, bool overwrite=false, const QMap< QString, QVariant > &options=QMap< QString, QVariant >())
Constructor for QgsVectorLayerExporter.
#define Q_NOWARN_DEPRECATED_POP
Definition: qgis.h:539
Setting options for creating vector data providers.
~QgsVectorLayerExporter() override
Finalizes the export and closes the new created layer.
QgsFeatureRequest & setFilterFids(const QgsFeatureIds &fids)
Sets feature IDs that should be fetched.
bool isCanceled() const
Tells whether the operation has been canceled already.
Definition: qgsfeedback.h:54
int errorCount() const
Returns the number of error messages encountered during the export.
This class represents a coordinate reference system (CRS).
void setGeometry(const QgsGeometry &geometry)
Set the feature&#39;s geometry.
Definition: qgsfeature.cpp:137
Class for doing transforms between two map coordinate systems.
void cancel() override
Notifies the task that it should terminate.
No errors were encountered.
bool run() override
Performs the task&#39;s operation.
Custom exception class for Coordinate Reference System related exceptions.
Definition: qgsexception.h:65
QString providerType() const
Returns the provider type for this layer.
bool nextFeature(QgsFeature &f)
This is the base class for vector data providers.
Geometry is not required. It may still be returned if e.g. required for a filter condition.
A vector of attributes.
Definition: qgsattributes.h:58
Represents a vector layer which manages a vector based data sets.
void finished(bool result) override
If the task is managed by a QgsTaskManager, this will be called after the task has finished (whether ...
QgsAttributes attributes
Definition: qgsfeature.h:72
Provider does not support creation of empty layers.
QgsVectorLayerExporter::ExportError createEmptyLayer_t(const QString &uri, const QgsFields &fields, QgsWkbTypes::Type geometryType, const QgsCoordinateReferenceSystem &destCRS, bool overwrite, QMap< int, int > *oldToNewAttrIdx, QString *errorMessage, const QMap< QString, QVariant > *options)
void exportComplete()
Emitted when exporting the layer is successfully completed.
QgsFeatureRequest & setFlags(QgsFeatureRequest::Flags flags)
Sets flags that affect how features will be fetched.
bool isValid() const
Returns whether this CRS is correctly initialized and usable.