Directions
The HERE SDK provides a full-fledged RoutingEngine
to calculate the best route directions from A to B, including multiple waypoints and localizable maneuver instructions for each turn. You can also specify your preferences by setting the desired route type (fastest or shortest) and various route options (such as speed profiles, route restrictions, vignette options, and more).
Feature overview:
- Calculate routes: Calculate routes with multiple waypoints for various transport modes.
- Isoline routing: Calculate isoline polygons to represent the area of reach from a given point based on time, distance or fuel consumption.
- Search along a route: Search for places along an entire route (this feature is described in the Search section).
- Import routes / route matching: You can import routes from other APIs.
- Offline routing: When no internet connection is available, you can switch to a dedicated offline routing engine to calculate routes on already cached map data or preloaded offline maps data.
Get Routes
The HERE SDK supports the following route types:
- Online car route directions.
- Online taxi route directions.
- Online pedestrian route directions.
- Online bicycle route directions.
- Online truck route directions with highly customizable truck options.
- Online scooter route directions.
- Online routes for electric vehicles to find the nearest charging stations (based on the calculated energy consumption and battery specifications).
- Online public transit routes with highly customizable transit options.
Note
Selected transport modes such as car and truck are also available for offline route calculation on cached map data or downloaded offline maps when using the dedicated OfflineRoutingEngine
.
Each route type is determined by one of the available route options: CarOptions
, TaxiOptions
, PedestrianOptions
, BicycleOptions
, TruckOptions
, ScooterOptions
, EVCarOptions
and EVTruckOptions
. These options can be set to the available overloads of the route engine's calculateRoute()
method.
Start your trip by creating the route engine in this manner:
try {
_routingEngine = RoutingEngine();
} on InstantiationException {
throw ("Initialization of RoutingEngine failed.");
}
Creating a new RoutingEngine
instance can throw an error that we have to handle as shown above. For example, such an error can happen when the HERE SDK initialization failed beforehand.
Note
It is not possible to initialize this engine during the Application
's onCreate()
method. Any other point in time is fine. For example, a good place to initialize this engine may be in an Activity
's onCreate()
-method.
As a next step, you can calculate the route based on two waypoints - a starting location and a destination (both of type Waypoint
that holds a GeoCoordinates
instance). Below we set default CarOptions
to calculate a route that is optimized for cars:
Future<void> addRoute() async {
var startGeoCoordinates = _createRandomGeoCoordinatesInViewport();
var destinationGeoCoordinates = _createRandomGeoCoordinatesInViewport();
var startWaypoint = Waypoint.withDefaults(startGeoCoordinates);
var destinationWaypoint = Waypoint.withDefaults(destinationGeoCoordinates);
List<Waypoint> waypoints = [startWaypoint, destinationWaypoint];
_routingEngine.calculateCarRoute(waypoints, CarOptions.withDefaults(),
(RoutingError? routingError, List<here.Route>? routeList) async {
if (routingError == null) {
here.Route route = routeList!.first;
_showRouteDetails(route);
_showRouteOnMap(route);
_logRouteViolations(route);
} else {
var error = routingError.toString();
_showDialog('Error', 'Error while calculating a route: $error');
}
});
}
You can call calculateRoute()
multiple times. For example, you can call it to calculate routes with different routing options in parallel.
Note
Tip: If a driver is moving, the bearing value can help to improve the route calculation: startWaypoint.headingInDegrees = currentLocation.bearingInDegrees;
.
Each route calculation will be performed asynchronously. You will get a Route
list or a RoutingError
that holds a possible error when completed. If all goes well, RoutingError
is null. In case of an error, the route list is null. For example, the engine cannot calculate routes if a route is not feasible for the specified mode of transportation.
Note
If there is no error, the route list will contain only one result. By specifying the number of route alternatives via the route options, you can request additional route variants. By default, a route will be calculated with no route alternatives.
The _showRouteDetails()
-method from the code snippet above is used to show more route details including maneuver instructions. You can find the full source code in the accompanying example app. Maneuver instructions are also explained in greater detail below. The _showRouteOnMap()
-method contains an example, how to render a route on the map. We will explain this shortly in the section below.
Note: Important
A route may contain a list of NoticeCode
values that describe potential issues after a route was calculated. For example, when a route should avoid tunnels and the only possible route needs to pass a tunnel, the Route
contains a notice that the requested avoidance of tunnels was violated.
- It is recommended to always check a calculated
Route
for possible violations. - The
NoticeCode
is part of a Notice
object. A list of possible Notice
objects can be accessed per Section
of a Route
. - The list will be empty, when no violation occurred.
- If any possible violation is not desired, it is recommended to skip routes that contain at least one violation.
However, an implementation may judge case by case depending on the requested route options and the actual list of NoticeCode
values. More about route options can be found in the next section. Important: For the sake of simplicity, the code snippets in this guide do not evaluate the possible enum values of a notice.
You can detect possible route notices with the following method:
void _logRouteViolations(here.Route route) {
for (var section in route.sections) {
for (var notice in section.sectionNotices) {
print("This route contains the following warning: " + notice.code.toString());
}
}
}
Use Route Options for Each Transport Mode
For the example above, we have set a new CarOptions
instance to calculate a car route. You can calculate routes for other transport modes by using dedicated route options for each transport mode. The following route options exist:
-
CarOptions
to calculate car routes. -
TruckOptions
to calculate truck routes. -
PedestrianOptions
to calculate routes for pedestrians. -
EVCarOptions
and EVTruckOptions
to calculate routes for electric vehicles. -
ScooterOptions
to calculate routes for scooters.
All of these route options allow you to further specify several parameters to optimize the route calculation to your needs.
Each of the above options contains a field that holds a common RouteOptions
object. This option allows you to specify common options such as the number of route alternatives or the OptimizationMode
to find the optimal route based on travel time and route length.
Note
By default, a route will be calculated using the fastest
route mode.
Alternatively, you can change the algorithm. For example, if you want to reach your destination quickly and the length of the route is less important to you, select the fastest
route mode via RouteOptions
. Select shortest
if you prefer a shorter route, and time is not so important.
To find the best route for you, the routing algorithm takes into account many different parameters. This does not mean the algorithm will always provide the absolute shortest or fastest route. For example, consider the following road network:
Illustration: Which route would you choose?
When you plan a trip from A to B, you may have the choice between four different roads. Let's assume that the green route represents a highway, then this road may be the fastest route, although it is longer than any of the other routes that would guide you through a city.
If you prefer to take the shortest route, the algorithm may favor the blue route, although the yellow and the red routes are shorter. Why is this so? The yellow road is the shortest route, of course, but it has to cross a river where a ferry has to be taken. This could be regarded by the algorithm as time-costly. As a result, it is possible to prefer the red or blue route instead of the yellow route, even though both are slightly longer.
Let's explore the other two options. When comparing the blue and the red route, the routing algorithm may recommend the blue route as the shortest although it is slightly longer than the red route: several turns are typically not beneficial to a driver. In this case, the red route contains more turns than the blue route, but the blue route may be the preferred route as it is only slightly longer. The routing algorithm penalizes turns and many other road properties, such as traffic lights or rail crossings that can slow a driver down.
Note
Along with the common routing options, the HERE SDK offers specialized options for the various supported transport modes, such as truck routing, where you can specify, for example, the dimensions of your truck to find only the suitable routes where your truck would fit - considering parameters such as road width or tunnel height.
While the resulting routes are optimized based on certain criteria, there may be situations where you don't want to rely on that. Imagine a city trip through Berlin - finding the fastest or shortest route may not be an option if you want to experience many sightseeing spots the city has to offer. In such cases, setting additional waypoints may be a good idea. Find an example below.
Get Truck Routes
The HERE SDK supports different transport modes (see above) for route calculation. Similar to the example above that shows how to calculate a route optimized for cars, you can also calculate routes for other transport types such as trucks.
While you can already get a route optimized for trucks by setting the default options, there are many more options available to find the best routes for a truck.
For example, TruckOptions
contains additional fields such as TruckSpecifications
to specify the dimensions of your truck, and more, that can be optionally applied to take the vehicle weight and other parameters into account.
More on truck routing can be found in the Truck Guidance section.
Get Public Transit Routes
Use the TransitRoutingEngine
to calculate public transit routes from A to B with a number of waypoints in between. You can find a PublicTransit example app on GitHub that shows how to do this.
Shape the Route with Additional Waypoints
By default, when setting only start and destination waypoints, the resulting route will contain only one route Section
. Each route object can contain more route sections depending on the number of set waypoints. Sections act as a route leg that break a route into several logical parts.
Waypoints are coordinates that can be set by the user to determine more sections or the shape the route (which can be useful if you want to make sure you cross a river with a ferry, for example).
There can be two types of waypoints:
-
stopover
: The default waypoint type. It is guaranteed that this point will be passed, therefore it appears in the list of maneuver instructions, and splits the route into separate route sections. -
passThrough
: May not appear in the maneuver instructions list and is rather treated as a hint to shape the route, for example, as a result of a touch input. This type will not split the route into separate sections.
When creating a new Waypoint
object, the stopover
type is set by default - and this must be the type used for the first and the last waypoint. With just two waypoints acting as the start and destination, a route might look like below:
One route section between starting point and destination.
The RoutingEngine
can handle multiple waypoints. The underlying algorithm will try to find the best path to connect all waypoints while respecting the order of the provided List
- as well as the WaypointType
. Each stopover
-waypoint is passed between the starting location and the destination, which are the first and last item of the waypoint list respectively.
var startWaypoint = Waypoint.withDefaults(_startGeoCoordinates);
var destinationWaypoint = Waypoint.withDefaults(_destinationGeoCoordinates);
var waypoint1 = Waypoint.withDefaults(_createRandomGeoCoordinatesInViewport());
var waypoint2 = Waypoint.withDefaults(_createRandomGeoCoordinatesInViewport());
List<Waypoint> waypoints = [startWaypoint, waypoint1, waypoint2, destinationWaypoint];
_routingEngine.calculateCarRoute(waypoints, CarOptions.withDefaults(),
(RoutingError? routingError, List<here.Route>? routeList) async {
if (routingError == null) {
here.Route route = routeList!.first;
_showRouteDetails(route);
_showRouteOnMap(route);
_logRouteViolations(route);
} else {
var error = routingError.toString();
_showDialog('Error', 'Error while calculating a route: $error');
}
});
By adding two additional stopover
-waypoints to the route using the code snippet above, we now have three route sections between the starting point and the destination as seen in the illustration below.
Note
The waypoints list order defines the order in which they are going to be passed along the route.
Illustration: Adding two additional waypoints.
Additional information on the route - such as the estimated time it takes to travel to the destination and the total length of the route in meters - can be retrieved from the Route
object as shown below:
int estimatedTravelTimeInSeconds = route.duration.inSeconds;
int lengthInMeters = route.lengthInMeters;
Travel time and length are also available for each Section
. Without additional stopover
-waypoints, the route will contain only one Section
. If additional stopover
-waypoints are provided, the route is separated into several route sections between each waypoint, as well as from the starting point to the first waypoint and from the last waypoint to the destination.
Note
By default, an additional waypoint splits a route into separate sections and forces the route to pass this point and to generate a maneuver instruction for it.
Each Section
contains the shape of the route in form of a GeoPolyline
- represented as an array of coordinates where the first coordinate marks the starting point and the last one the destination.
This can be useful to visualize the route on the map by using, for example, map polylines in a different color for each Section
. However, you can also get the polyline directly from the Route
object. Below is a code snippet that shows how this could be implemented by using a MapPolyline
that is drawn between each waypoint including the starting point and the destination:
_showRouteOnMap(here.Route route) {
GeoPolyline routeGeoPolyline = route.geometry;
double widthInPixels = 20;
MapPolyline routeMapPolyline = MapPolyline(routeGeoPolyline, widthInPixels, Color.fromARGB(160, 0, 144, 138));
_hereMapController.mapScene.addMapPolyline(routeMapPolyline);
}
The first screenshot below shows a route without additional waypoints - and therefore only one route section. Starting point and destination are indicated by green-circled map marker objects. Note that the code for drawing the circled objects is not shown here, but can be seen from the example's source code, if you are interested.
Screenshot: Showing a route on the map.
The second screenshot shows the same route as above, but with two additional stopover
-waypoints, indicated by red-circled map marker objects. The route therefore, contains three route sections.
Screenshot: Showing a route with two additional waypoints.
Zoom to the Route
For some use cases, it may be useful to zoom to the calculated route. The camera class provides a convenient method to adjust the viewport so that a route fits in:
GeoBox routeGeoBox = route!.boundingBox;
_hereMapController.camera.lookAtAreaWithGeoOrientation(routeGeoBox, GeoOrientationUpdate(null, null));
Here we use the enclosing bounding box of the route object. This can be used to instantly update the camera: Zoom level and target point of the camera will be changed, so that the given bounding rectangle fits exactly into the viewport. Additionally, we can specify an orientation to specify more camera parameters - here we keep the default values. Note that calling lookAtAreaWithOrientation()
will instantly change the view.
Get Maneuver Instructions
Each Section
contains the maneuver instructions a user may need to follow to reach the destination. For each turn, a Maneuver
object contains an action and the location where the maneuver must be taken. The action may indicate actions like "depart" or directions such as "turn left".
List<Section> sections = route.sections;
for (Section section in sections) {
_logManeuverInstructions(section);
}
And here is the code to access the maneuver instructions per section:
void _logManeuverInstructions(Section section) {
print("Log maneuver instructions per route section:");
List<Maneuver> maneuverInstructions = section.maneuvers;
for (Maneuver maneuverInstruction in maneuverInstructions) {
ManeuverAction maneuverAction = maneuverInstruction.action;
GeoCoordinates maneuverLocation = maneuverInstruction.coordinates;
String maneuverInfo = maneuverInstruction.text +
", Action: " +
maneuverAction.toString() +
", Location: " +
maneuverLocation.toString();
print(maneuverInfo);
}
}
This may be useful to easily build maneuver instructions lists describing the whole route in written form. For example, the ManeuverAction
enum can be used to build your own unique routing experience.
Find Traffic Along a Route
You can get the overall time you are stuck in a traffic jam with:
int estimatedTotalTrafficDelay = route.trafficDelay.inSeconds;
More granular information about the traffic situation is available for the individual sections of a route: In addition to maneuvers (see above), each Section
of a Route
contains information of the traffic flow situation at the time when the route was calculated.
Each Section
can contain a various amount of TrafficSpeed
instances. These are valid along the sub sections of a section. The offset
field indicates the index within the section's polyline which you can get as a list of GeoCordinates
from the Section
instance.
The following code snippet shows how to get the first TrafficSpeed
element of the first Section
:
Section firstSection = route.sections.first;
TrafficSpeed firstTrafficSpeed = firstSection.trafficSpeeds.first;
TrafficSpeed
contains the baseSpeedInMetersPerSecond
, which is the expected default travel speed. Note that this may not be the same as the current speed limit on a road - as a bad road condition may justify a slower travel speed. In addition, you can get the estimated actual travel speed based on the current traffic conditions with trafficSpeedInMetersPerSecond
.
Similar to the color encoding used for the traffic flow layer, you can indicate the traffic along a route using a jamFactor
that has a range from 0 (no traffic) to 10 (road is blocked). See the Traffic section for more details on the traffic features of the HERE SDK.
An example how this value can be mapped to a suitable color is shown below:
Illustration: Traffic jam factors.
Usually, the jamFactor
can be interpreted like this:
- 0 <=
jamFactor
< 4: No or light traffic. - 4 <=
jamFactor
< 8: Moderate or slow traffic. - 8 <=
jamFactor
< 10: Severe traffic. -
jamFactor
= 10: No traffic, ie. the road is blocked.
Note that the jamFactor
is not necessarily a linear result calculated from the ratio of trafficSpeedInMetersPerSecond
/ baseSpeedInMetersPerSecond
as it additionally takes also the road type and other conditions into account.
-
In addition, you can query traffic incidents along the route with the TrafficEngine
. For this, you need to create a GeoCorridor
out from the coordinates of a Route
. Make sure to also specify a corridor radius by setting halfWidthInMeters
. Note that the GeoCorridor
is limited in length and width. Check the traffic example app to see how to use the TrafficEngine
. Check also the Traffic section in this guide.
-
If you are only interested in basic traffic incident information along the route, you can get a summary of the traffic situation directly from the Route
instance - per Section
, by calling Section.getTrafficIncidents()
. The resulting TrafficIncidentOnRoute
object contains a small subset of the data that is available with the TrafficEngine
, but it can be useful to give a first overview.
You can refresh the traffic information of the route by refreshing the route. See the section below.
Get Toll Costs Along a Route
You can get possible toll costs along the individual sections of a route.
Note
This is a beta release of this feature, so there could be a few bugs and unexpected behaviors. Related APIs may change for new releases without a deprecation process.
The RouteOptions.enableTolls
flag must be set to get toll costs. It is set to false
by default. When this flag is enabled, toll data is requested for toll applicable transport modes as defined in the API Reference.
Get toll costs via Section.tolls
which provides a PaymentMethod
, TollFare
& Toll
information.
During navigation - while following a route - you can use a RoadAttributesListener
that informs on new road attributes including isTollway
to know if the current road may require to pay a toll.
Refresh Routes
The traffic flow information contained in a Route
object is valid for the time when the route was calculated, see above. If you want to update this information at any later point in time, you can refresh the route.
It is also possible to refresh the route options for a route:
RefreshRouteOptions refreshRouteOptions = RefreshRouteOptions.withTaxiOptions(taxiOptions);
routingEngine.refreshRoute(route.routeHandle, mapMatchedWaypoint, refreshRouteOptions, (routingError, routes) {
if (routingError == null) {
HERE.Route newRoute = routes.first;
} else {
}
});
For this you need to know the RouteHandle
, which must be requested via RouteOptions.enableRouteHandle
before the route was calculated.
In addition, refreshing a route can be useful to convert the route options from one transport type to another or to update specific options. If the conversion is not possible - for example, when a pedestrian route is converted to a truck route, then a routingError
indicates this.
You can also shorten the route, by specifying a new starting point. The new starting point must be very close to the original route as no new route is calculated. If the new starting point is too far away, then a routingError
occurs.
Note that refreshing a route is not enough when a driver deviates from a route during an ongoing turn-by-turn navigation - as the detour part needs a new route calculation. In such a case, it may be more useful to recalculate the whole route by setting a new starting point - or to use the returnToRoute()
method that allows to keep the originally chosen route alternative.
Return to a Route
The RoutingEngine
allows to refresh an existing route (see above) based on the current traffic situation. The result may be a new route that is faster than the previous one. However, the new startingPoint
must be very close to the original route.
If you need to handle a case where the startingPoint
is farther away from the route, consider to use the returnToRoute()
feature of the RoutingEngine
. For example, a driver may decide to take a detour due to the local traffic situation. Calling returnToRoute()
will also result in a new route, but it will try to resemble as much as possible from the original route without a costly route recalculation - if possible.
- Stopover waypoints are guaranteed to be passed by.
- Pass-through waypoints are only meant to shape the route, so there is no guarantee that the new route will honor or discard them.
- The current traffic situation is taken into account and may reshape the route.
Note that turn-by-turn navigation is only available for the Navigate Edition.
The returnToRoute()
method is also available for the OfflineRoutingEngine
that works offline on cached or downloaded map data. However, it does not take the current traffic situation into account.
During turn-by-turn navigation it is not recommended to refresh a route in order to get the latest traffic delay updates ahead. Before the refreshed route can be set to the Navigator
, the last location on the route needs to be set as new starting point. This can lead to unexpected results when the driver has already advanced while the refresh operation is ongoing. For such use cases, consider using the DynamicRoutingEngine
.
Import Routes From Other Services
You can import routes from other APIs and/or vendors via one of the various overloaded routingEngine.importRoute()
methods. Note that this is not a 1:1 import feature, but rather a reconstruction.
A new Route
object can be created from:
- A list of
GeoCoordinates
and RouteOptions
. This can be useful, when the route should be imported from a different vendor. - A
RouteHandle
. This can be useful to import a route from other HERE services. A possible use case can be to create a route on the HERE WeGo website or another web page that uses the HERE REST APIs and then transfer it to a mobile device to start a trip. Note that a map update on backend side or other changes in the real world can lead to an invalid handle. Therefore, it is recommended to use the handle only for a few hours. Although the RouteHandle
encodes certain information, it requires an online connection to get the full route data from backend.
Any AvoidanceOptions
that are applied may be discarded and reported as violations via the route's Section.sectionNotices
. For example, if you request to avoid highways, but the provided coordinates match to a highway road, then the resulting route will still match the highway, but a notice is added to indicate that the desired avoidance option is violated.
In general, be aware that importing a route may not always reproduce exactly the same route as the original one. Below we look more into the details.
Import Routes from a List of Geographic Coordinates
To import a route from a list of GeoCoordinates
with RouteOptions
, a list of GeoCoordinates
is needed that define the route shape. Such coordinates need to be very close to each other, or the calculation will fail. Such a list of coordinates can be extracted from a route calculated by a different vendor or it can be extracted from a GPX trace.
List<Location> routeLocations = [
new Location.withCoordinates(new GeoCoordinates(52.518032, 13.420632)), new Location.withCoordinates(new GeoCoordinates(52.51772, 13.42038)),
new Location.withCoordinates(new GeoCoordinates(52.51764, 13.42062)), new Location.withCoordinates(new GeoCoordinates(52.51754, 13.42093)),
new Location.withCoordinates(new GeoCoordinates(52.51735, 13.42155)), new Location.withCoordinates(new GeoCoordinates(52.51719, 13.42209)),
new Location.withCoordinates(new GeoCoordinates(52.51707, 13.42248)), new Location.withCoordinates(new GeoCoordinates(52.51695, 13.42285)),
new Location.withCoordinates(new GeoCoordinates(52.5168, 13.42331)), new Location.withCoordinates(new GeoCoordinates(52.51661, 13.42387)),
new Location.withCoordinates(new GeoCoordinates(52.51648, 13.42429)), new Location.withCoordinates(new GeoCoordinates(52.51618, 13.42513)),
new Location.withCoordinates(new GeoCoordinates(52.5161, 13.42537)), new Location.withCoordinates(new GeoCoordinates(52.51543, 13.42475)),
new Location.withCoordinates(new GeoCoordinates(52.51514, 13.42449)), new Location.withCoordinates(new GeoCoordinates(52.515001, 13.424374))];
routingEngine.importCarRoute(routeLocations, new CarOptions.withDefaults(), (routingError, routes) {
if (routingError == null) {
HERE.Route newRoute = routes!.first;
} else {
}
});
For this option, you can select the overload of the importRoute()
method that matches your desired transport type.
When importing a route from a list of GeoCoordinates
and RouteOptions
then the RoutingEngine
will create the route shape as closely as possible from the provided geographic coordinates.
For best results use 1Hz GPS data, or points that have a spacing of a few meters. Very sparse data may result in an error.
Note: This is a beta release of this feature.
Import Routes from a RouteHandle
Below we take a look into the RouteHandle
option. With the RouteHandle(String handle)
constructor you can create a RouteHandle
from a given string handle. Such a string can be provided from other backend sources such as one of the available HERE REST APIs. Note that the string is only valid for a couple of hours.
Below you can find an example REST API call to create a route with a route handle string:
https://router.hereapi.com/v8/routes?apikey=-YOUR_API_KEY&origin=52.524465%2C13.382334&destination=52.525301%2C13.399844&return=polyline%2Csummary%2Cactions%2Cinstructions%2CrouteHandle&transportMode=car
You can copy the route handle string from the JSON response and use it with the HERE SDK like so:
routingEngine.importRouteFromHandle(new RouteHandle("routeHandleStringFromBackend"), new RefreshRouteOptions.withCarOptions(new CarOptions.withDefaults()), (routingError, routes) {
if (routingError == null) {
HERE.Route newRoute = routes!.first;
} else {
}
});
The RouteHandle
string identifies an already calculated route. Once imported successfully, a new Route
object is created and provided as part of the CalculateRouteCallback
for further use with the HERE SDK.
Note: This is a beta release of this feature.
Import Routes Offline
The HERE SDK does not support importing routes offline - at least not like shown above via a RouteHandle
or by directly passing in a list of GeoCoordinates
. This is only possible with the RoutingEngine
that requires an online connection.
However, there is a workaround possible: By inserting an unlimited number of Waypoint
items into the OfflineRoutingEngine
a route can be calculated offline with the specified stopover waypoints to shape the route as close as possible as the original route. Note that the RoutingEngine
supports only a limited number of waypoints of around 200 waypoints at most. When using the OfflineRoutingEngine
there is no such limitation, but there may be performance trade-offs for longer routes. Therefore, it is recommended to pass only a subset of all route coordinates as waypoints - for example, filtered by a distance threshold.
Read on in the next chapter to learn about the OfflineRoutingEngine
. Additional waypoints can be set in the same way as already shown above for the online RoutingEngine
.
Offline Routing
In addition to the RoutingEngine
, there is also an equivalent for offline use cases available: The OfflineRoutingEngine
. It can be constructed in the same way as its online counterpart we already showed above:
RoutingInterface _routingEngine;
RoutingEngine _onlineRoutingEngine;
OfflineRoutingEngine _offlineRoutingEngine;
...
try {
_onlineRoutingEngine = RoutingEngine();
} on InstantiationException {
throw ("Initialization of RoutingEngine failed.");
}
try {
_offlineRoutingEngine = OfflineRoutingEngine();
} on InstantiationException {
throw ("Initialization of OfflineRoutingEngine failed.");
}
The OfflineRoutingEngine
provides the same interfaces as the RoutingEngine
, but the results may slightly differ as the results are taken from already downloaded or cached map data instead of initiating a new request to a HERE backend service.
This way the data may be, for example, older compared to the data you may receive when using the RoutingEngine
. On the other hand, this class provides results faster - as no online connection is necessary.
However, the resulting routes contain only an empty list of maneuvers. If you need to get maneuvers during guidance, you can get them directly from the Navigator
or VisualNavigator
via the provided nextManeuverIndex
. This is shown in the Navigation section.
Note
You can only calculate routes on already cached or preloaded offline maps data. When you use only cached map data, it may happen that not all tiles are loaded for the lower zoom levels. In that case, no route can be found until also the lower zoom levels are loaded - even if you see the map. With offline maps this cannot happen and the required map data is guaranteed to be available for the downloaded region. Therefore, it is recommended to not rely on cached map data.
All available interfaces of the OfflineRoutingEngine
are also available in the RoutingEngine
and both engines adopt the same interface. This makes it easy to switch bewteen both engine instances as we will show below.
Note
To get a quick overview of how all of this works, you can take a look at the RoutingExample
class. It contains all code snippets shown below and it is part of the routing_hybrid_app example you can find on GitHub.
Below we show how to switch between OfflineRoutingEngine
and RoutingEngine
. For example, when you are on the go, it can happen that your connection is temporarily lost. In such a case it makes sense to calculate routes on the already cached or downloaded map data with the OfflineRoutingEngine
.
To do so, first you need to check if the device has lost its connectivity. As a second step you can use the preferred engine:
void useOnlineRoutingEngine() {
_routingEngine = _onlineRoutingEngine;
_showDialog('Switched to RoutingEngine', 'Routes will be calculated online.');
}
void useOfflineRoutingEngine() {
_routingEngine = _offlineRoutingEngine;
_showDialog(
'Switched to OfflineRoutingEngine', 'Routes will be calculated offline on cached or downloaded map data.');
}
Now, you can execute the same code on the current _routingEngine
instance, as shown in the previous sections above.
Note
If the device is offline, the online variant will not find routes and will report an error. Vice versa, when the device is online, but no cached or preloaded map data is available for the area you want to use, the offline variant will report an error as well.
Note that the code to check if the device is online or not is left out here. You may use a 3rd party plugin for this or try to make an actual connection - and when that fails, you can switch to the OfflineRoutingEngine
- or the other way round: You can try offline routing first to provide a fast experience for the user, but when no map data is available, you can try online.
Note
You can find the _routing_hybrid_app example app on GitHub.
Show Reachable Area
With isoline routing you can generate polygons to represent the area of reach from a given point based on time, distance or energy consumption: The polygon will encompass all destinations that can be reached in a specific amount of time, a maximum travel distance, or even the charge level available at an electric vehicle.
Note
Isoline routing considers real-time and historical traffic in its calculations.
Some examples of how this could be useful:
- Users can find restaurants within a 2 km walking distance from their current location.
- Users can search for hotels based on the distance to sights, for example, to find hotels within a 20 minute drive to major attractions - such as Disney World and Universal Studios in Orlando, Florida USA.
Below we show a consumption based Isoline
example for an electric vehicle scenario, where the driver wants to know which points are reachable within the provided limit of 400 Wh: So, the goal is to consume 400 Wh or less - and the question is: What can the driver reach within this energy limit?
Note
Electric vehicles have a limited reachable range based on their current battery charge and factors affecting the rate of energy consumed, such as road slope or auxiliary power usage. Therefore, it is useful to visualize the appropriate range to avoid running out of energy before reaching a charging point. Since vehicles have unique consumption parameters, they are to be specified in the request for an accurate range to be calculated. For more details, see the electric vehicle section below.
The result will be a GeoPolygon
shape that you can show on the map to provide the driver a visual orientation:
List<int> rangeValues = [400];
int? maxPoints;
IsolineOptionsCalculation calculationOptions = IsolineOptionsCalculation.withNoDefaults(
IsolineRangeType.consumptionInWattHours, rangeValues, IsolineCalculationMode.balanced, maxPoints, RoutePlaceDirection.departure);
IsolineOptions isolineOptions = IsolineOptions.withEVCarOptions(calculationOptions, _getEVCarOptions());
_routingEngine.calculateIsoline(Waypoint(_startGeoCoordinates!), isolineOptions,
(RoutingError? routingError, List<Isoline>? list) {
if (routingError != null) {
_showDialog("Error while calculating reachable area:", routingError.toString());
return;
}
Isoline isoline = list!.first;
for (GeoPolygon geoPolygon in isoline.polygons) {
Color fillColor = Color.fromARGB(128, 0, 143, 138);
MapPolygon mapPolygon = MapPolygon(geoPolygon, fillColor);
_hereMapController.mapScene.addMapPolygon(mapPolygon);
_mapPolygons.add(mapPolygon);
}
});
This finds the area that an electric vehicle can reach by consuming 400 Wh or less, while trying to take the fastest possible route into any possible straight direction from start.
Why fastest? This depends on the route's optimization mode (we have shown in earlier sections above) - of course, you can specify any mode. Note that each isoline needs exactly one center point from where a journey may start.
Since we are interested in the energy consumption, we also provided EVCarOptions
. These options must include battery specifications as shown in the electric vehicle routing section below. If you provide a time or distance limit instead as range type, you can provide the usual route options as shown earlier.
The IsolineRangeType
defines the type of the provide range value. Here we use 400. You can provide multiple values - and as a result you would then get multiple Isoline
objects - one for each provided range value.
On the other hand, each Isoline
object can contain multiple polygons for special cases, such as when the area of reach includes an island. Such areas are provided as separate polygons.
The shape of the resulting polygon can be defined by the maxPoints
parameter. It determines the number of vertices of the GeoPolygon
. Note that this parameter does not influence the actual calculation of the polygon, but just its apearance.
Screenshot: Showing the area of reach for the given limit.
The screenshot shows the center location of the polygon, indicated by a big green circle. It also shows a possible route beyond this area with two additional found charging stations along the route. In the next section you can find how to calculate routes for electric vehicles.
Note
You can find the above code snippet as part of the ev_routing_app
example on GitHub.
Get Routes for Electric Vehicles
Electric vehicle (EV) usage and sales continue growing around the world. How can HERE help to provide the best routes for electric vehicles?
-
HERE EV Routing delivers optimized routes for EVs to get from A to B, minimizing the number of charging stops and optimizing battery charge times (based on the vehicle’s consumption model). It also takes into account a number of factors when planning trips, including topography, road geometry, real-time traffic information and traffic patterns.
-
Instead of searching for charging stations along the route, HERE analyzes the charging time at every possible station and chooses the most appropriate combination that will deliver the shortest driving and charging times.
Getting EV routes is simple. Similar to getting car or truck routes, for EV routing you just need to add electric vehicle specific route options. This way you can get routes for electric vehicles in the same way as for other transport modes. Just specify EVRouteOptions
and add them to the calculateRoute()
method:
_routingEngine.calculateEVCarRoute(waypoints, _getEVCarOptions(),
(RoutingError? routingError, List<here.Route>? routeList) {
if (routingError == null) {
here.Route route = routeList!.first;
} else {
var error = routingError.toString();
_showDialog('Error', 'Error while calculating a route: $error');
}
});
By default, EVRouteOptions
will not include the required parameters to ensure that a destination can be reached without running out of energy.
To ensure this, you need to set the required parameters that may add charging stations to the route - while still optimizing the result for overall travel time.
Below you can see an example how to create such options:
EVCarOptions _getEVCarOptions() {
EVCarOptions evCarOptions = EVCarOptions.withDefaults();
evCarOptions.consumptionModel.ascentConsumptionInWattHoursPerMeter = 9;
evCarOptions.consumptionModel.descentRecoveryInWattHoursPerMeter = 4.3;
evCarOptions.consumptionModel.freeFlowSpeedTable = {0: 0.239, 27: 0.239, 60: 0.196, 90: 0.238};
evCarOptions.ensureReachability = true;
evCarOptions.routeOptions.optimizationMode = OptimizationMode.fastest;
evCarOptions.routeOptions.alternatives = 0;
evCarOptions.batterySpecifications.connectorTypes = [
ChargingConnectorType.tesla,
ChargingConnectorType.iec62196Type1Combo,
ChargingConnectorType.iec62196Type2Combo
];
evCarOptions.batterySpecifications.totalCapacityInKilowattHours = 80.0;
evCarOptions.batterySpecifications.initialChargeInKilowattHours = 10.0;
evCarOptions.batterySpecifications.targetChargeInKilowattHours = 72.0;
evCarOptions.batterySpecifications.chargingCurve = {0.0: 239.0, 64.0: 111.0, 72.0: 1.0};
return evCarOptions;
}
Here we define the EVConsumptionModel
to specify the energy consumption model of the electric vehicle. We also add BatterySpecifications
. With these options, additional charging stations may be inserted into the route as additional stopovers - which means that the route will be split into more sections depending on the number of inserted charging stations.
Note
If you want to include such required charging stations, it is also mandatory to use OptimizationMode.FASTEST
and to specify zero route alternatives
. You also need to set ensureReachability
to true. When ensureReachability
is activated, the route may be adjusted so that required charging stations are along the resulting path and the required charging stations are added as WayPoint
items to the route
.
Note that we also specify the available battery connector types, so that charging stations that do not provide a compatible connector to charge the car will be excluded. In the example above, we also specified the initialChargeInKilowattHours
. A relatively low value means that the route must include charging stations near the beginning - otherwise, the route calculation may fail.
Note
Usually, you can take the consumption and battery information from the car itself or consult the manual or your car manufacturer directly. Note that not all information may be available to you and some information may be only exclusively known by the manufacturer. Either way, the route calculation process will take the provided specifications into account and missing values will be filled with suitable default values.
Especially for longer journeys with electric vehicles, it is important to plan for charging stops along the way. After all, charging stations are much less common than gas stations. With the above options, the RoutingEngine
tries to find the fastest route, i.e., one with the lowest overall time consumed to reach the destination, while ensuring that the vehicle does not run out of energy along the way.
The result of the calculation is a route optimized for electric vehicles - instead of just adding any charging stations found along the way - as we have shown in the Search Along a Route section.
Once the route
is calculated, you can gather more useful information. The code snippet shown below will log the estimated energy consumption per Section
and list the actions you need to take in order to charge the battery - if needed:
void _logEVDetails(here.Route route) {
int additionalSectionCount = route.sections.length - 1;
if (additionalSectionCount > 0) {
print("EVDetails: Number of required stops at charging stations: " + additionalSectionCount.toString());
} else {
print(
"EVDetails: Based on the provided options, the destination can be reached without a stop at a charging station.");
}
int sectionIndex = 0;
List<Section> sections = route.sections;
for (Section section in sections) {
EVDetails? evDetails = section.evDetails;
if (evDetails == null) {
print("No EVDetails found.");
return;
}
print("EVDetails: Estimated net energy consumption in kWh for this section: " +
evDetails.consumptionInKilowattHour.toString());
for (PostAction postAction in section.postActions) {
switch (postAction.action) {
case PostActionType.chargingSetup:
print("EVDetails: At the end of this section you need to setup charging for " +
postAction.duration.inSeconds.toString() +
" s.");
break;
case PostActionType.charging:
print("EVDetails: At the end of this section you need to charge for " +
postAction.duration.inSeconds.toString() +
" s.");
break;
case PostActionType.wait:
print("EVDetails: At the end of this section you need to wait for " +
postAction.duration.inSeconds.toString() +
" s.");
break;
default:
throw ("Unknown post action type.");
}
}
print("EVDetails: Section " +
sectionIndex.toString() +
": Estimated departure battery charge in kWh: " +
section.departurePlace.chargeInKilowattHours.toString());
print("EVDetails: Section " +
sectionIndex.toString() +
": Estimated arrival battery charge in kWh: " +
section.arrivalPlace.chargeInKilowattHours.toString());
ChargingStation? depStation = section.departurePlace.chargingStation;
if (depStation != null && depStation.id != null && !chargingStationsIDs.contains(depStation.id)) {
print("EVDetails: Section " + sectionIndex.toString() + ", name of charging station: " + depStation.name.toString());
chargingStationsIDs.add(depStation.id.toString());
_addCircleMapMarker(section.departurePlace.mapMatchedCoordinates, "assets/required_charging.png");
}
ChargingStation? arrStation = section.departurePlace.chargingStation;
if (arrStation != null && arrStation.id != null && !chargingStationsIDs.contains(arrStation.id)) {
print("EVDetails: Section " + sectionIndex.toString() + ", name of charging station: " + arrStation.name.toString());
chargingStationsIDs.add(arrStation.id.toString());
_addCircleMapMarker(section.arrivalPlace.mapMatchedCoordinates, "assets/required_charging.png");
}
sectionIndex += 1;
}
}
Note that postAction.duration.inSeconds
provides the estimated time it takes to charge the battery. This time is included in the overall route calculation and the estimated time of arrival (ETA).
Below is a screenshot of how a resulting route may look.
Screenshot: Showing a route for electric vehicles.
Here you can see that the route required two stops at a charging station - indicated by red markers. The route contains three sections as each charging station splits the route - when inserting additional waypoints.
The first section includes a post action which describes the charging stop. It contains the information on the expected arrival charge among other information.
Unless specified otherwise, the energy consumption is assumed to be in Wh.
Define the Consumption Model
The following parameters define a consumption model to get more accurate results for electric vehicles:
- ascentConsumptionInWattHoursPerMeter: Rate of energy consumed per meter rise in elevation.
- descentRecoveryInWattHoursPerMeter: Rate of energy recovered per meter fall in elevation.
- freeFlowSpeedTable: Function curve specifying consumption rate at a given free flow speed on a flat stretch of road.
- trafficSpeedTable: Function curve specifying consumption rate at a given speed under traffic conditions on a flat stretch of road.
- auxiliaryConsumptionInWattHoursPerSecond: Rate of energy consumed by the vehicle's auxiliary systems (e.g., air conditioning, lights) per second of travel.
A consumption speed table defines the energy consumption rate when the vehicle travels on a straight road without elevation change at a given speed in km/h. It represents a piecewise linear function.
Here is an example of a free flow speed list. On the left you see the speed and on the right, consumption:
- 0: 0.239
- 27: 0.239
- 45: 0.259
- 60: 0.196
- 75: 0.207
- 90: 0.238
- 100: 0.26
- 110: 0.296
- 120: 0.337
- 130: 0.351
In a graph it will look like this:
Screenshot: An example for a consumption speed graph.
You can specify two different consumption speed tables - free flow speed table and traffic speed tables:
- Free flow speed: Describes the energy consumption when travelling at constant speed.
- Traffic speed: Describes the energy consumption when travelling under heavy traffic conditions, for example, when the vehicle is expected to often change the travel speed at a given average speed.
If a trafficSpeedTable
is not provided then only the freeFlowSpeedTable
is used for calculating speed-related energy consumption.
Note
You can find an ev_routing_app
example app on GitHub.