LogoLogo
OS Docs HomeOS NGDOS APIsOS Download ProductsMore than MapsOS Data Hub
  • Introduction to OS APIs
  • Core Concepts
    • Getting started with an API project
    • Authentication
    • Error codes
    • Rate-limiting policy
    • OS API branding
    • Service level agreements
    • Service availability dashboard
  • Accessing OS APIs
    • OS Maps API
      • Layers and styles
      • Getting started
        • ESRI ArcGIS Online
        • ESRI ArcGIS Pro
        • ESRI ArcMap
        • Cadcorp SIS
        • MapInfo Pro
        • QGIS
      • Technical specification
        • ZXY
        • WMTS
      • Code examples
    • OS Vector Tile API
      • What data is available?
      • Getting started
        • ESRI ArcGIS Pro
        • Cadcorp SIS
        • QGIS
        • Create a web application using the OS Vector Tile API
      • Technical specification
        • Service Metadata
        • Stylesheet
        • Tile request
      • Code examples
      • Stylesheets
    • OS NGD API – Tiles
    • OS NGD API – Features
    • OS Features API
      • OS Product Archive
      • What data is available?
      • Getting started
        • ArcGIS Online
        • ArcGIS Pro
        • ArcMap
        • Cadcorp SIS
        • MapInfo Pro
        • QGIS
      • Technical specification
        • getCapabilities
        • describeFeatureType
        • getFeature
        • Filtering
        • Paging
        • Empty values
      • Code examples
    • OS Names API
      • Getting started with example queries using Node.js
      • Technical specification
        • Find
        • Nearest
      • Code list
      • Code examples
    • OS Linked Identifiers API
      • What data is available?
      • Getting started with implementing a look-up application
      • Technical specification
        • Identifier
        • Identifier Types
        • Feature Types
        • Product Version Information
      • Code examples
    • OS Places API
      • Getting started with example queries using Node.js
      • Technical specification
        • Find
        • Postcode
        • UPRN
        • Nearest
        • BBOX
        • Radius
        • Polygon
      • Datasets
      • Code lists
      • Code examples
    • OS Match & Cleanse API
      • End of Life Information
      • Getting started with an example match query using Node.js
      • Technical specification
      • Datasets
      • Code lists
    • OS Downloads API
      • Getting started
        • Automating OS OpenData downloads
        • Automating OS Premium data downloads
      • Technical specification
        • OpenData products
        • OpenData product details
        • Download an OpenData product
        • OpenData product image
        • Data packages
        • Data package ID
        • Data package version
        • Data package version ID
        • Download a data package
    • OAuth 2 API
      • Getting started
      • Technical specification
  • Additional resources
    • OS API Wrappers
      • JavaScript
      • Python
      • R
  • Extra Links
    • Accessibility
    • Contact us
    • PSGA Product Summary
    • Terms and conditions
Powered by GitBook
On this page

Was this helpful?

  1. Accessing OS APIs
  2. OS Downloads API
  3. Getting started

Automating OS Premium data downloads

PreviousAutomating OS OpenData downloadsNextTechnical specification

Last updated 4 months ago

Was this helpful?

This guide takes you though the process of automating the download of OS Premium data downloads.

What you need

  • A basic understanding of automatic processing of JSON data and basic procedural (if-then-else) programming.

  • OS Downloads API added to an API project in the OS Data Hub with an API Key. See Getting started with an API project for more information.

  • A text editor like Visual Studio Code

  • A working installation of and the popular module.

Please read the before working with data packages.

1

Get a list of data packages

Get the list of products available from endpoint including the product id and version.

const axios = require('axios');
const apiKey = 'Insert API key here';

async function getList() {
    const dataPackageList = await axios({
        url: 'https://api.os.uk/downloads/v1/dataPackages',
        headers: {
            key: apiKey
        }
    });
    /* For explanation and debugging purposes we display the full response from the API in the console */
    console.log(dataPackageList.data);
    for (const dataPackage of dataPackageList.data) {
        /* This will print out the url of the data package id which can be used in another request. This would be the
           ideal place to call another function which continues the processing or filters down the results to the set required. */
        console.log(dataPackage.url);
    }
}
getList();

This is similar to a in that you first need to discover what is available. Be mindful that list items can change.

Each entry in the JSON response provides data package metadata, as well as information about available versions of the data package.

  • You may at this point wish to create a loop that iterates through all available data packages or a subset that you are interested in based on common attributes (for example, vector data in a certain format).

  • You could store the data package id and version ids. That way you can easily check periodically for new versions of the data package being available, simply by comparing the versions we provide with the ones that you hold.

2

Get product specific information

While the key parts of this are already provided in step 1, this shows another way of getting to specific detail.

const axios = require('axios');

/* This function will return information about a specific data package.
   You will need to insert both a dataPackageId and API key to complete the implementation. */
const apiKey = 'Insert API key here';
const dataPackageId = 'Insert data package id here';

async function getDataPackageDetails() {
    const dataPackageDetails = await axios({
        url: 'https://api.os.uk/downloads/v1/dataPackages/' + dataPackageId,
        headers: {
            key: apiKey
        }
    });
    console.log(dataPackageDetails.data);
    /* At this point we could insert another function to process the results or act on them/download them */
}
getDataPackageDetails();
3

Download data

Using the product id from the previous response make a call to the endpoint. Once you obtain the download links for the data package version you are ready to download the data.

By including latest as the versionId this will return information about the most recent data package version, including a list of the files that are available to download.

In this example we hard code the data package id that we are interested in. This can also be provided dynamically into the function allowing the same function to be used for multiple products and formats.

const fs = require('fs');
const axios = require('axios');

const apiKey = 'Insert API key here';
const dataPackageId = 'Insert data package id here';

/* ============================================================
Function: Uses Axios to download file as stream using Promise
============================================================ */
const download_file = (url, fileName) =>
    axios({
        url,
        headers: {
            key: apiKey
        },
        responseType: 'stream'
    }).then(
        response =>
            new Promise((resolve, reject) => {
                response.data
                    .pipe(fs.createWriteStream(fileName))
                    .on('finish', () => resolve())
                    .on('error', e => reject(e));
            }
    )
);

/* ============================================================
Download all of the files in the latest data package version
============================================================ */
async function downloadFiles() {
    try {
        const downloadInfo = await axios({
            url: 'https://api.os.uk/downloads/v1/dataPackages/' + dataPackageId + '/versions/latest',
            headers: {
                key: apiKey
            }
        });
        for (const download of downloadInfo.data.downloads) {
            let downloadFile = await download_file(download.url, download.fileName);
            console.log(`Downloaded file ${download.fileName}`);
        }
        console.log('Completed downloading files');
    } catch (error) {
        console.error(error);
    }
}

downloadFiles();
Node.js
axios
download support documentation
manual download
#datapackages
#datapackages-datapackageid-versions-versionid