Skip to content

Standard Routing

Free

Starter

Standard

Professional

The standard route endpoint gives turn-by-turn directions between one or more points that must be visited in order. It is highly configurable with costing models (called profiles by some vendors) for car, bicycle, pedestrian, and more. We give developers an immense amount of room to fine tune routes for any application.

Here's a sampling of the versatility we offer:

  • Access restrictions for trucks, buses, golf carts, and other specialized vehicle types
  • Vehicle attributes (weight, height, width, top speed, etc.)
  • Prefer or avoid highways, toll roads, and ferries
  • Number of passengers, for HOV lane usage
  • Hill avoidance for bicycles, motor scooters, and pedestrians
  • Support for guidance in over 25 languages

Endpoint: https://api.stadiamaps.com/route/v1

Example Code

Installation Instructions

The Stadia Maps JavaScript/TypeScript SDK is available for any package manager that supports the npm registry.

NPM Downloads

npm install @stadiamaps/api
yarn add @stadiamaps/api
bun add @stadiamaps/api
import { RoutingApi, Configuration, RouteRequest } from '@stadiamaps/api';

// If you are writing for a backend application or can't use domain-based auth,
// then you'll need to add your API key like so:
// 
// const config = new Configuration({ apiKey: "YOUR-API-KEY" }); (1)
// You can also use our EU endpoint to keep traffic within the EU using the basePath option:
// const config = new Configuration({ basePath: "https://api-eu.stadiamaps.com" });
// const api = new RoutingApi(config);
const api = new RoutingApi();

const locationA = {
    "lon": -76.306572,
    "lat": 40.042072,
    "type": RoutingWaypointTypeEnum.Break
};
const locationB = {
    "lon": -76.781559,
    "lat": 39.992115,
    "type": RoutingWaypointTypeEnum.Break
};
const req: RouteRequest = {
    locations: [
        locationA,
        locationB
    ],
    costing: "auto",
    costingOptions: {
        auto: {
            useHighways: 0.3,  // Take the scenic route ;)
        }
    },
    units: DistanceUnit.Mi
};
const res = await api.route({ routeRequest: req });
  1. Learn how to get an API key in our authentication guide.
Installation Instructions

The Stadia Maps Python SDK is available through any package manager that supports PyPi.

PyPI - Downloads

pip install stadiamaps
poetry add stadiamaps
import os
import stadiamaps
from stadiamaps.rest import ApiException

# You can also use our EU endpoint to keep traffic within the EU like so:
# configuration = stadiamaps.Configuration(host="https://api-eu.stadiamaps.com")
configuration = stadiamaps.Configuration()

# Configure API key authentication (ex: via environment variable). (1)
configuration.api_key['ApiKeyAuth'] = os.environ["API_KEY"]

with stadiamaps.ApiClient(configuration) as api_client:
    # Create an instance of the API class
    api_instance = stadiamaps.RoutingApi(api_client)

    try:
        location_a = {"lat": 40.042072, "lon": -76.306572}
        location_b = {"lat": 39.992115, "lon": -76.781559}
        req = stadiamaps.RouteRequest(
            id="route",
            locations=[
                stadiamaps.RoutingWaypoint.from_dict(location_a),
                stadiamaps.RoutingWaypoint.from_dict(location_b)
            ],
            costing=stadiamaps.CostingModel.AUTO,
            costing_options=stadiamaps.CostingOptions(auto=stadiamaps.AutoCostingOptions(use_highways=0.3)),  # Take the scenic route ;)
            units=stadiamaps.DistanceUnit.MI
        )

        res = api_instance.route(req)
    except ApiException as e:
        # Add your error handling here
        print("Exception when calling the Stadia Maps API: %s\n" % e)
  1. Learn how to get an API key in our authentication guide.
Installation Instructions

Authenticate to GitHub Packages

We host our Maven packages on GitHub Packages. GitHub requires authentication for this, and has a guide on setting this up.

Add the Maven Repository

Next, add the repository to the repositories block in your Gradle build script like so.

build.gradle.kts
repositories {
    mavenCentral()

    maven {
        url = uri("https://maven.pkg.github.com/stadiamaps/stadiamaps-api-kotlin")
        credentials {
            username = project.findProperty("gpr.user") as String? ?: System.getenv("USERNAME")
            password = project.findProperty("gpr.token") as String? ?: System.getenv("TOKEN")
        }
    }
}
build.gradle
repositories {
    mavenCentral()

    maven {
        url = uri("https://maven.pkg.github.com/stadiamaps/stadiamaps-api-kotlin")
        credentials {
            username = project.findProperty("gpr.user") ?: System.getenv("USERNAME")
            password = project.findProperty("gpr.token") ?: System.getenv("TOKEN")
        }
    }
}

Add Dependencies

Now you're ready to add the package and its dependencies.

build.gradle.kts
dependencies {
    val retrofitVersion = "2.9.0"

    // API package
    implementation("com.stadiamaps:api:1.0.0")

    // Dependencies
    implementation("com.squareup.moshi:moshi-kotlin:1.14.0")
    implementation("com.squareup.moshi:moshi-adapters:1.14.0")
    implementation("com.squareup.okhttp3:logging-interceptor:4.10.0")
    implementation("com.squareup.retrofit2:retrofit:$retrofitVersion")
    implementation("com.squareup.retrofit2:converter-moshi:$retrofitVersion")
    implementation("com.squareup.retrofit2:converter-scalars:$retrofitVersion")
}
build.gradle
dependencies {
    def retrofitVersion = "2.9.0"

    // API package
    implementation 'com.stadiamaps:api:3.0.0'

    // Dependencies
    implementation 'com.squareup.moshi:moshi-kotlin:1.15.1'
    implementation 'com.squareup.moshi:moshi-adapters:1.15.1'
    implementation 'com.squareup.okhttp3:logging-interceptor:4.10.0'
    implementation "com.squareup.retrofit2:retrofit:${retrofitVersion}"
    implementation "com.squareup.retrofit2:converter-moshi:${retrofitVersion}"
    implementation "com.squareup.retrofit2:converter-scalars:${retrofitVersion}"
}
// Imports (at the top of your source file; we've used some wildcard imports for simplicity)
import com.stadiamaps.api.apis.*
import com.stadiamaps.api.auth.ApiKeyAuth
import com.stadiamaps.api.infrastructure.*
import com.stadiamaps.api.models.*

// Set your API key (from an environment variable in this case) (1)
val apiKey = System.getenv("STADIA_API_KEY") ?: throw RuntimeException("API Key not set")

// Defining the host is optional and defaults to https://api.stadiamaps.com
// You can also use our EU endpoint to keep traffic within the EU like so:
// val client = ApiClient(baseUrl = "https://api-eu.stadiamaps.com")
val client = ApiClient()
client.addAuthorization("ApiKeyAuth", ApiKeyAuth("query", "api_key", apiKey))

// Configure a service for the group of APIs we want to talk to
val service = client.createService(RoutingApi::class.java)

// Set up the request.
// Note: this code is blocking for demonstration purposes.
// If you're using Kotlin with coroutines,
// you can also use these asynchronously within suspend functions.
// Synchronous code can enqueue a callback to avoid blocking
// (you'll definitely want to do one of these instead when on the main thread of an app).
// See the docs for details: https://square.github.io/retrofit/2.x/retrofit/retrofit2/Call.html
val locations = listOf(
    RoutingWaypoint(40.042072, -76.306572), RoutingWaypoint(39.992115, -76.781559)
)
val costingOptions = CostingOptions(auto = AutoCostingOptions(useHighways = 0.3))  // Take the scenic route ;)
val req = RouteRequest(
    id = "route",
    locations = locations,
    costing = CostingModel.auto,
    costingOptions = costingOptions,
    units = DistanceUnit.mi,
    language = ValhallaLanguages.enMinusGB
)
val res = service.route(req).execute()

if (res.isSuccessful) {
    println("Found result: ${res.body()}")
} else {
    println("Request failed with error code ${res.code()}")
}
  1. Learn how to get an API key in our authentication guide.
Installation Instructions

Our Swift SDK is distributed using the Swift Package Manager (SPM). Apple's documentation shows how to add a Swift Package dependency to your Xcode project. On the Add Package screen, you can find our package by its repository URL: https://github.com/stadiamaps/stadiamaps-api-swift.

import StadiaMaps

// This setup code can go anywhere before you actually make an API call (typically in your app init)
func setupStadiaMapsAPI() {
    // Set your API key (1)
    StadiaMapsAPI.customHeaders = ["Authorization": "Stadia-Auth YOUR-API-KEY"]
    // Optionally use our EU endpoint to keep traffic within the EU
    // StadiaMapsAPI.basePath = "https://api-eu.stadiamaps.com"
}

// This function demonstrates how to call the Stadia Maps API.
// If you have not yet adopted async/await in your Swift codebase, you can use the Task API
// to call async functions in a non-async context: https://developer.apple.com/documentation/swift/task.
func myFunction() async throws {
    let req = RouteRequest(units: .mi,
                           id: "route",
                           locations: [
                               RoutingWaypoint(lat: 40.042072, lon: -76.306572),
                               RoutingWaypoint(lat: 39.992115, lon: -76.781559),
                           ],
                           costing: .auto,
                           costingOptions: CostingOptions(auto: AutoCostingOptions(useTolls: 0.3)))  // Take the scenic route :)
    let res = try await RoutingAPI.route(routeRequest: req)

    // Do something with the response...
    print(res)
}
  1. Learn how to get an API key in our authentication guide.
Installation Instructions

Composer

To install the package via Composer, add stadiamaps/stadiamaps-api-php to your composer.json:

{
  "require": {
    "stadiamaps/stadiamaps-api-php": "1.*"
  }
}

Then run composer install.

Manual Installation

You can also download the files manually and include autoload.php in your scripts:

<?php
require_once('/path/to/OpenAPIClient-php/vendor/autoload.php');
<?php
// use or require, depending on your installation method.

// Configure API key authorization (replace with your Stadia Maps API key) (1)
$config = OpenAPI\Client\Configuration::getDefaultConfiguration()->setApiKey('api_key', 'YOUR-API-KEY');
// You can also use our EU endpoint to keep traffic within the EU using setHost:
// $config = Configuration::getDefaultConfiguration()->setApiKey('api_key', 'YOUR-API-KEY')->setHost('https://api-eu.stadiamaps.com');

$apiInstance = new OpenAPI\Client\Api\RoutingApi(
    new GuzzleHttp\Client(),
    $config
);

try {
    $locationA = array('lon' => -76.306572, 'lat' => 40.042072, 'type' => RoutingWaypoint::TYPE__BREAK);
    $locationB = array('lon' => -76.781559, 'lat' => 39.992115, 'type' => RoutingWaypoint::TYPE__BREAK);
    $req = new RouteRequest(array(
        'id' => 'route',
        'locations' => [$locationA, $locationB],
        'costing' => CostingModel::AUTO,
        'costing_options' => array(CostingModel::AUTO => array('use_highways' => 0.3)),
        'units' => DistanceUnit::MI
    ));
    $result = $apiInstance->route($req);
} catch (Exception $e) {
    // Add your error handling here
    echo 'Exception when calling the Stadia Maps API: ', $e->getMessage(), PHP_EOL;
}
  1. Learn how to get an API key in our authentication guide.
curl -X POST -H "Content-Type: application/json" -d '{
    "locations": [
        {
            "lon": -76.306572,
            "lat": 40.042072,
            "type": "break"
        },
        {
            "lon": -76.781559,
            "lat": 39.992115,
            "type": "break"
        }
    ],
    "costing": "auto",
    "costing_options": {
        "auto": {
            "use_highways": 0.3
        }
    },
    "units": "miles"
}' "https://api.stadiamaps.com/route/v1?api_key=YOUR-API-KEY"

Turn-by-Turn Navigation

If you are building a turn-by-turn navigation experience such as a driver app or in-dash navigation, our routing APIs are up to the task! The APIs support OSRM-flavored output with a variety of navigation aids:

  • Instruction banners
  • Spoken prompts
  • Speed limits (where available)

Our next-generation navigation SDK, Ferrostar, makes it easy to build interactive turn-by-turn guidance experiences. On major platforms like iOS and Android, Ferrostar handles the API integration for you. And, unlike existing solutions, the UI components are built with SwiftUI and Jetpack Compose. So if even if you're designing a bespoke interface, you won't need to start from scratch.

Complementary APIs

The routing API deals in terms of geographic locations. In the case that you are dealing with human-readable addresses, you can use our forward geocoding and structured geocoding APIs to convert to latitude and longitude.

If you are building a turn-by-turn navigation application, you may find the nearest roads and trace attributes APIs useful for getting road attributes like tagged speed limits.

Finally, for fitness applications, you can augment routes with an elevation profile using our elevation API.

Next Steps