Generate offline map (overrides)

View on GitHubSample viewer app

Take a web map offline with additional options for each layer.

screenshot

Use case

When taking a web map offline, you may adjust the data (such as layers or tiles) that is downloaded by using custom parameter overrides. This can be used to reduce the extent of the map or the download size of the offline map. It can also be used to highlight specific data by removing irrelevant data. Additionally, this workflow allows you to take features offline that don't have a geometry - for example, features whose attributes have been populated in the office, but still need a site survey for their geometry.

How to use the sample

  1. Click on "Generate Offline Map (Overrides)".
  2. Use the range slider to adjust the min/max levelIds to be taken offline for the Streets basemap.
  3. Use the spin-box to set the buffer radius for the streets basemap.
  4. Click the buttons to skip the System Valves and Service Connections layers.
  5. Use the combo-box to select the maximum flow rate for the features from the Hydrant layer.
  6. Use the check-box to skip the geometry filter for the water pipes features.
  7. Click "Start Job"
  8. Wait for the progress bar to indicate that the task has completed.
  9. You should see that the basemap does not display when you zoom out past a certain range and is padded around the original area of interest. The network dataset should extend beyond the target area. The System Valves and Service Connections should be omitted from the offline map and the Hydrants layer should contain a subset of the original features.

How it works

The sample creates a PortalItem object using a web map’s ID. Create a Map with this portal item. Use the Map to initialize an OfflineMapTask object. When the button is clicked, the sample requests the default parameters for the task, with the selected extent, by calling OfflineMapTask.createDefaultGenerateOfflineMapParameters. Once the parameters are retrieved, they are used to create a set of GenerateOfflineMapParameterOverrides by calling OfflineMapTask.createGenerateOfflineMapParameterOverrides. The overrides are then adjusted so that specific layers will be taken offline using custom settings.

Streets basemap (adjust scale range)

In order to minimize the download size for offline map, this sample reduces the scale range for the "World Streets Basemap" layer by adjusting the relevant ExportTileCacheParameters in the GenerateOfflineMapParameterOverrides. The basemap layer is used to contsruct an OfflineMapParametersKeyobject. The key is then used to retrieve the specific ExportTileCacheParameters for the basemap and the levelIds are updated to skip unwanted levels of detail (based on the values selected in the UI). Note that the original "Streets" basemap is swapped for the "for export" version of the service - see https://www.arcgis.com/home/item.html?id=e384f5aa4eb1433c92afff09500b073d.

Streets Basemap (buffer extent)

To provide context beyond the study area, the extent for streets basemap is padded. Again, the key for the basemap layer is used to obtain the key and the default extent Geometry is retrieved. This extent is then padded (by the distance specified in the UI) using the GeoemetryEngine.bufferGeodesic function and applied to the ExportTileCacheParameters.

System Valves and Service Connections (skip layers)

In this example, the survey is primarily concerned with the Hydrants layer, so other information is not taken offline: this keeps the download smaller and reduces clutter in the offline map. The two layers "System Valves" and "Service Connections" are retrieved from the operational layers list of the map. They are then used to construct an OfflineMapParametersKey. This key is used to obtain the relevant GenerateGeodatabaseParameters from the GenerateOfflineMapParameterOverrides.generateGeodatabaseParameters property. The GenerateLayerOption for each of the layers is removed from the geodatabse parameters layerOptions by checking for the FeatureLayer.serviceLayerId. Note, that you could also choose to download only the schema for these layers by setting the GenerateLayerOption.queryOption to GenerateLayerQueryOption.None.

Hydrant Layer (filter features)

Next, the hydrant layer is filtered to exclude certain features. This approach could be taken if the offline map is intended for use with only certain data - for example, where a re-survey is required. To achieve this, a whereClause (for example, "Flow Rate (GPM) < 500") needs to be applied to the hydrant's GenerateLayerOption in the GenerateGeodatabaseParameters. The minimum flow rate value is obtained from the UI setting. The sample constructs a key object from the hydrant layer as in the previous step, and iterates over the available GenerateGeodatabaseParameters until the correct one is found and the GenerateLayerOption can be updated.

Water Pipes Dataset (skip geometry filter)

Lastly, the water network dataset is adjusted so that the features are downloaded for the entire dataset - rather than clipped to the area of interest. Again, the key for the layer is constructed using the layer and the relevant GenerateGeodatabaseParameters are obtained from the overrides dictionary. The layer options are then adjusted to set useGeometry to false.

Having adjusted the GenerateOfflineMapParameterOverrides to reflect the custom requirements for the offline map, the original parameters and the custom overrides, along with the download path for the offline map, are then used to create a GenerateOfflineMapJob object from the offline map task. This job is then started and on successful completion the offline map is added to the map view. To provide feedback to the user, the progress property of GenerateOfflineMapJob is displayed in a window.

Relevant API

  • ExportTileCacheParameters
  • GenerateGeodatabaseParameters
  • GenerateLayerOption
  • GenerateOfflineMapJob
  • GenerateOfflineMapParameterOverrides
  • GenerateOfflineMapParameters
  • GenerateOfflineMapResult
  • OfflineMapParametersKey
  • OfflineMapTask

Additional information

For applications where you just need to take all layers offline, use the standard workflow (using only GenerateOfflineMapParameters). For a simple example of how you take a map offline, please consult the "Generate offline map" sample.

Tags

adjust, download, extent, filter, LOD, offline, override, parameters, reduce, scale range, setting

Sample Code

GenerateOfflineMap_Overrides.qmlGenerateOfflineMap_Overrides.qmlDownloadButton.qmlGenerateWindow.qmlOverridesWindow.qml
Use dark colors for code blocksCopy
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
// [WriteFile Name=GenerateOfflineMap, Category=Maps]
// [Legal]
// Copyright 2018 Esri.

// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
// http://www.apache.org/licenses/LICENSE-2.0

// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
// [Legal]

import QtQuick
import QtQuick.Controls
import QtQuick.Layouts
import QtQuick.Window
import Esri.ArcGISRuntime
import Esri.ArcGISExtras

Rectangle {
    id: rootRectangle
    clip: true
    width: 800
    height: 600

    readonly property url outputMapPackage: System.temporaryFolder.url + "/OfflineMap_Overrides_%1.mmpk".arg(new Date().getTime().toString())
    readonly property string webMapId: "acc027394bc84c2fb04d1ed317aac674"
    property var generateJob: null
    property alias overrides: offlineMapTask.createGenerateOfflineMapParameterOverridesResult
    property alias parameters: offlineMapTask.createDefaultGenerateOfflineMapParametersResult

    MapView {
        id: mapView
        anchors.fill: parent

        Component.onCompleted: {
            // Set the focus on MapView to initially enable keyboard navigation
            forceActiveFocus();
        }

        // Create a Map from a Portal Item
        Map {
            id: map

            PortalItem {
                id: mapPortalItem

                itemId: webMapId
                Portal {
                    loginRequired: false
                }
            }
        }

        // Create a button and anchor it to the attribution top
        DownloadButton {
            id: downloadButton
            anchors {
                horizontalCenter: parent.horizontalCenter
                bottom: mapView.attributionTop
                margins: 5
            }
            visible: map.loadStatus === Enums.LoadStatusLoaded

            onButtonClicked: createDefaultParametersFromRectangle();
        }
    }

    // Create an extent rectangle for selecting the offline area
    Rectangle {
        id: extentRectangle
        anchors.centerIn: parent
        width: parent.width - 50
        height: parent.height - 125
        color: "transparent"
        visible: map.loadStatus === Enums.LoadStatusLoaded
        border {
            color: "red"
            width: 3
        }
    }

    function createDefaultParametersFromRectangle() {
        const corner1 = mapView.screenToLocation(extentRectangle.x, extentRectangle.y);
        const corner2 = mapView.screenToLocation((extentRectangle.x + extentRectangle.width), (extentRectangle.y + extentRectangle.height));
        const envBuilder = ArcGISRuntimeEnvironment.createObject("EnvelopeBuilder");
        envBuilder.setCorners(corner1, corner2);
        const mapExtent = GeometryEngine.project(envBuilder.geometry, Factory.SpatialReference.createWebMercator());
        offlineMapTask.createDefaultGenerateOfflineMapParameters(mapExtent);
    }

    // Create Offline Map Task
    OfflineMapTask {
        id: offlineMapTask
        onlineMap: map

        onErrorChanged: console.log("error:", error.message, error.additionalMessage);

        onCreateDefaultGenerateOfflineMapParametersStatusChanged: {
            if (createDefaultGenerateOfflineMapParametersStatus !== Enums.TaskStatusCompleted)
                return;

            // Now that we have created our parameters, we can now create out overrides based upon
            // these.
            createGenerateOfflineMapParameterOverrides(createDefaultGenerateOfflineMapParametersResult);
        }

        Component.onDestruction: {
            if (generateJob) {
                generateJob.statusChanged.disconnect(updateJobStatus);
                generateJob.progressChanged.disconnect(updateProgress);
            }
        }
    }

    function overridesReady() {
        return offlineMapTask.createGenerateOfflineMapParameterOverridesStatus === Enums.TaskStatusCompleted;
    }

    function setBasemapLOD(min, max) {
        if (!overridesReady())
            return;

        const layers = map.basemap.baseLayers;
        if (layers && layers.count < 1)
            return;

        // Obtain a key for the given basemap-layer.
        const keyForTiledLayer = ArcGISRuntimeEnvironment.createObject("OfflineMapParametersKey", {initLayer: layers.get(0)});

        if (keyForTiledLayer.empty || keyForTiledLayer.type !== Enums.OfflineMapParametersTypeExportTileCache)
            return;

        // Obtain the dictionary of parameters for taking the basemap offline.
        const dictionary = overrides.exportTileCacheParameters;
        if (!dictionary.contains(keyForTiledLayer))
            return;

        // Create a new sublist of LODs in the range requested by the user.
        const newLODs = [];
        for (let i = min; i < max; ++i )
            newLODs.push(i);

        // Apply the sublist as the LOD level in tilecache parameters for the given
        // service.
        const exportTileCacheParam = dictionary.value(keyForTiledLayer);
        exportTileCacheParam.levelIds = newLODs;
    }

    function setBasemapBuffer(bufferMeters) {
        if (!overridesReady())
            return;

        const layers = map.basemap.baseLayers;
        if (layers && layers.count < 1)
            return;

        // Obtain a key for the given basemap-layer.
        const keyForTiledLayer = ArcGISRuntimeEnvironment.createObject("OfflineMapParametersKey", {initLayer: layers.get(0)});

        if (keyForTiledLayer.empty || keyForTiledLayer.type !== Enums.OfflineMapParametersTypeExportTileCache)
            return;

        // Obtain the dictionary of parameters for taking the basemap offline.
        const dictionary = overrides.exportTileCacheParameters;
        if (!dictionary.contains(keyForTiledLayer))
            return;

        // Create a new geometry around the origional area of interest.
        const bufferGeom = GeometryEngine.buffer(parameters.areaOfInterest, bufferMeters);

        // Apply the geometry to the ExportTileCacheParameters.
        const exportTileCacheParam = dictionary.value(keyForTiledLayer);

        // Set the parameters back into the dictionary.
        exportTileCacheParam.areaOfInterest = bufferGeom;
    }

    function removeSystemValves() {
        removeFeatureLayer("System Valve");
    }


    function getFeatureLayerByName(layerName)
    {
        // Find the feature layer with the given name
        const opLayers = map.operationalLayers;
        for (let i = 0; i < opLayers.count; ++i)
        {
            const candidateLayer = opLayers.get(i);

            if (candidateLayer.layerType === Enums.LayerTypeFeatureLayer && candidateLayer.name.includes(layerName)) {
                return candidateLayer;
            }
        }

        return null;
    }

    function removeFeatureLayer(layerName) {
        if (!overridesReady())
            return;

        const targetLayer = getFeatureLayerByName(layerName);
        if (!targetLayer)
            return;

        // Obtain a key for the given basemap-layer.
        const keyForTargetLayer = ArcGISRuntimeEnvironment.createObject("OfflineMapParametersKey", {initLayer: targetLayer});

        if (keyForTargetLayer.empty || keyForTargetLayer.type !== Enums.OfflineMapParametersTypeGenerateGeodatabase)
            return;

        // Get the dictionary of GenerateGeoDatabaseParameters.
        const dictionary = overrides.generateGeodatabaseParameters;

        if (!dictionary.contains(keyForTargetLayer))
            return;

        // Grab the GenerateGeoDatabaseParameters associated with the given key.
        const generateGdbParam = dictionary.value(keyForTargetLayer);

        const table = targetLayer.featureTable;

        // Get the service layer id for the given layer.
        const targetLayerId = table.layerInfo.serviceLayerIdAsInt;

        // Remove the layer option from the list.
        const layerOptions = generateGdbParam.layerOptions;
        const newLayerOptions = [];
        for (let i = 0; i < layerOptions.length; i++) {
            if (layerOptions[i].layerIdAsInt !== targetLayerId) {
                newLayerOptions.push(layerOptions[i]);
            }
        }

        //// Add layer options back to parameters and re-add to the dictionary.
        generateGdbParam.layerOptions =  newLayerOptions;
    }

    function removeServiceConnection() {
        removeFeatureLayer("Service Connection");
    }

    function setHydrantWhereClause(whereClause) {

        if (!overridesReady())
            return;

        const targetLayer = getFeatureLayerByName("Hydrant");
        if (!targetLayer)
            return;

        // Obtain a key for the given basemap-layer.
        const keyForTargetLayer = ArcGISRuntimeEnvironment.createObject("OfflineMapParametersKey", {initLayer: targetLayer});

        if (keyForTargetLayer.empty || keyForTargetLayer.type !== Enums.OfflineMapParametersTypeGenerateGeodatabase)
            return;

        // Get the dictionary of GenerateGeoDatabaseParameters.
        const dictionary = overrides.generateGeodatabaseParameters;

        if (!dictionary.contains(keyForTargetLayer))
            return;

        // Grab the GenerateGeoDatabaseParameters associated with the given key.
        const generateGdbParam = dictionary.value(keyForTargetLayer);

        const table = targetLayer.featureTable;

        // Get the service layer id for the given layer.
        const targetLayerId = table.layerInfo.serviceLayerIdAsInt;

        // Update the where-clause on the layer.
        const layerOptions = generateGdbParam.layerOptions;
        for (let i = 0; i < layerOptions.length; i++) {
            const layerOption = layerOptions[i];
            if (layerOption.layerIdAsInt === targetLayerId) {
                layerOption.whereClause = whereClause;
                layerOption.queryOption = Enums.GenerateLayerQueryOptionUseFilter;
                break;
            }
        }
    }

    function setClipWaterPipesAOI(clip) {

        if (!overridesReady())
            return;

        const targetLayer = getFeatureLayerByName("Main");
        if (!targetLayer)
            return;

        // Obtain a key for the given basemap-layer.
        const keyForTargetLayer = ArcGISRuntimeEnvironment.createObject("OfflineMapParametersKey", {initLayer: targetLayer});

        if (keyForTargetLayer.empty || keyForTargetLayer.type !== Enums.OfflineMapParametersTypeGenerateGeodatabase)
            return;

        // Get the dictionary of GenerateGeoDatabaseParameters.
        const dictionary = overrides.generateGeodatabaseParameters;

        if (!dictionary.contains(keyForTargetLayer))
            return;

        // Grab the GenerateGeoDatabaseParameters associated with the given key.
        const generateGdbParam = dictionary.value(keyForTargetLayer);

        const table = targetLayer.featureTable;

        // Get the service layer id for the given layer.
        const targetLayerId = table.layerInfo.serviceLayerIdAsInt;

        // Set the use geometry flag on the layer.
        const layerOptions = generateGdbParam.layerOptions;
        for (let i = 0; i < layerOptions.length; i++) {
            const layerOption = layerOptions[i];
            if (layerOption.layerIdAsInt === targetLayerId) {
                layerOption.useGeometry = clip;
                break;
            }
        }
    }

    function takeMapOffline() {
        // create the job
        generateJob = offlineMapTask.generateOfflineMapWithOverrides(parameters, outputMapPackage, overrides);

        // check if job is valid
        if (generateJob) {
            // show the export window
            generateWindow.visible = true;

            // connect to the job's status changed signal to know once it is done
            generateJob.statusChanged.connect(updateJobStatus);
            // connect to the job's progress changed signal
            generateJob.progressChanged.connect(updateProgress);

            generateJob.start();
        } else {
            generateWindow.visible = true;
            generateWindow.statusText = "Task failed";
            generateWindow.hideWindow(5000);
        }
    }

    function updateJobStatus() {
        switch(generateJob.jobStatus) {
        case Enums.JobStatusFailed:
            generateWindow.statusText = "Task failed";
            generateWindow.hideWindow(5000);
            break;
        case Enums.JobStatusNotStarted:
            generateWindow.statusText = "Job not started";
            break;
        case Enums.JobStatusPaused:
            generateWindow.statusText = "Job paused";
            break;
        case Enums.JobStatusStarted:
            generateWindow.statusText = "In progress";
            break;
        case Enums.JobStatusSucceeded:
            // show any layer errors
            if (generateJob.result.hasErrors) {
                const layerErrors = generateJob.result.layerErrors;
                let errorText = "";
                for (let i = 0; i < layerErrors.length; i++) {
                    const errorPair = layerErrors[i];
                    errorText += errorPair.layer.name + ": " + errorPair.error.message + "\n";
                }
                msgDialog.detailedText = errorText;
                msgDialog.open();
            }

            // show the map
            generateWindow.statusText = "Complete";
            generateWindow.hideWindow(1500);
            displayOfflineMap(generateJob.result);
            break;
        default:
            console.log("default");
            break;
        }
    }

    function updateProgress() {
        generateWindow.progressText = generateJob.progress;
    }

    function displayOfflineMap(result) {
        // Set the offline map to the MapView
        mapView.map = result.offlineMap;
        downloadButton.visible = false;
        extentRectangle.visible = false;
    }

    OverridesWindow {
        id: overridesWindow
        anchors.fill: parent
        visible: offlineMapTask.createGenerateOfflineMapParameterOverridesStatus === Enums.TaskStatusCompleted

        onBasemapLODSelected: (min, max) => setBasemapLOD(min, max);
        onBasemapBufferChanged: buffer => setBasemapBuffer(buffer);
        onRemoveSystemValvesChanged: removeSystemValves();
        onRemoveServiceConnectionChanged: removeServiceConnection();
        onHydrantWhereClauseChanged: whereClause => setHydrantWhereClause(whereClause);
        onClipWaterPipesAOIChanged: clip => setClipWaterPipesAOI(clip);

        onOverridesAccepted:  takeMapOffline();
    }

    GenerateWindow {
        id: generateWindow
        anchors.fill: parent
    }

    Dialog {
        id: msgDialog
        modal: true
        x: Math.round(parent.width - width) / 2
        y: Math.round(parent.height - height) / 2
        standardButtons: Dialog.Ok
        title: "Layer Errors"
        property alias text : textLabel.text
        property alias detailedText : detailsLabel.text
        ColumnLayout {
            Text {
                id: textLabel
                text: "Some layers could not be taken offline."
            }
            Text {
                id: detailsLabel
            }
        }
    }

    BusyIndicator {
        anchors.centerIn: parent
        running: offlineMapTask.createGenerateOfflineMapParameterOverridesStatus === Enums.TaskStatusInProgress ||
                 offlineMapTask.createDefaultGenerateOfflineMapParameterStatus === Enums.TaskStatusInProgress
    }
}

Your browser is no longer supported. Please upgrade your browser for the best experience. See our browser deprecation post for more details.