Advertisement
  1. Code
  2. JavaScript
  3. Web APIs

Give Your Customers Driving Directions With the Google Maps API

Scroll to top
Read Time: 14 min

Instead of just showing your business location on a Google Map, why not offer your users the opportunity to get driving directions on the same page? No need for them to open up a new browser window and find it themselves, we can do better than that!

Using the Google Maps API within your WordPress website is a relatively simple process and we'll explore exactly how to do it in this tutorial.

What We'll Be Doing in This Tutorial...

  1. First we'll set up some custom options so that we can enter information about our map in the WordPress Admin panel.
  2. Then we'll use shortcodes to output a map container, input fields and directions container
  3. Finally we'll write some JavaScript to initiate the Google Map

Note: We'll be writing a fair bit of JavaScript here, but don't worry! This is a WordPress tutorial so feel free to gloss over the JavaScript parts :)


Step 1 Create the Directory and Files

  1. Create a folder inside your theme called Map
  2. Inside this folder, create map.php
  3. Finally create map.js

Step 2 Include the map.php File

In your functions.php file (located in the root directory of your theme) – include the map.php file you created at the top.

1
2
/* functions.php */
3
include('map/map.php');

Step 3 Register Settings

There are 3 things that we want to be able to edit from the Admin area.

  1. The Destination. We're going to use Longitude and Latitude values to specify the precise location of your destination (more details to follow)
  2. The infoWindow content. This is the white bubble you often see on Google Maps – we want to be able to edit the text in the bubble!
  3. Initial Zoom Level of the map – how far the map is zoomed in when the user first loads the page.

In map.php, hook into admin_init to register our settings:

1
2
function map_init() {
3
	register_setting('general', 'map_config_address');
4
	register_setting('general', 'map_config_infobox');
5
	register_setting('general', 'map_config_zoom');
6
}
7
8
add_action('admin_init', 'map_init');

Now we can set up the heading text for our section in the options page and all of the inputs we need.

1
2
function map_config_option_text() {
3
	echo '<p>Set Options for the Map here:</p>';
4
}
5
6
// Longitude, Latitude Values for the Destination

7
function map_config_address() {
8
	printf(('<input type="text" id="map_config_address" name="map_config_address" value="%s" size="50"/>'), get_option('map_config_address'));
9
}
10
11
// The text content for the InfoWindow Bubble

12
function map_config_infobox() {
13
	printf(('<textarea name="map_config_infobox" id="map_config_infobox" cols="30" rows="3">%s</textarea>'), get_option('map_config_infobox'));
14
}
15
16
// The initial Zoom Level of the map.

17
function map_config_zoom() {
18
	printf(('<input name="map_config_zoom" id="map_config_zoom" value="%s" />'), get_option('map_config_zoom'));
19
}

Finally we hook into admin_menu to display our settings in the WordPress Admin:

1
2
function map_config_menu() {
3
	add_settings_section('map_config', 'Map Configuration', 'map_config_option_text', 'general');
4
	add_settings_field('map_config_address', 'Address - Longitude and Latitude', 'map_config_address', 'general', 'map_config');
5
	add_settings_field('map_config_infobox', 'Map InfoWindow', 'map_config_infobox', 'general', 'map_config');
6
	add_settings_field('map_config_zoom', 'Map Zoom Level', 'map_config_zoom', 'general', 'map_config');
7
}
8
add_action('admin_menu', 'map_config_menu');

Go into your admin area, you should now see this:


Step 4 Enter Your Destination, infoWindow Text and Zoom Level

  1. Destination Address

    The Google Maps API actually accepts regular addresses such as 'Newgate Lane, Mansfield, Nottinghamshire, UK' – However, you'll find that you will want to be more precise with your destination (for example, you'll most likely want to point directly to your business and not just the street). You can use a Google Maps API V3 Sample to search for your destination. Drag the target around until you have pin-pointed your spot. When you're happy, copy the Lat/Lng: value into the address field in the options – for example 27.52774434830308, 42.18752500000007 (just the numbers separated by the comma, no brackets or quotes!)

  2. InfoWindow Text

    Make this whatever you want. Your Business Name would be a good idea :)

  3. Zoom Level

    A good starting point is 10.

Click 'Save Changes' and when the page refreshes you can check that the info has been stored. It should look something like this now:


Step 5 Set Up the Shortcodes

When we are finished, we'll have 3 elements: the Map, the Form, and the Directions – so in this tutorial I've decided to split them up into 3 separate shortcodes. This will allow us to change the order/placement of each item without having to modify any of our PHP code. For example, you may decide to have your directions above the map instead of below, or at the side, etc.

  1. Shortcode 1 : wpmap_map

    Here we register and enqueue the Google Maps API JavasScript file as well as our own maps.js file.

    Next we use the $output variable to store our map-container div along with some custom data attributes. ( data-map-infowindow will store the content for the infowindow and data-map-zoom will represent the initial zoom level – both of these values are returned using WordPress's get_option function).

    Finally we return the generated HTML to be output:

    1
    2
    		function wpmap_map() {
    
    3
    4
    			wp_register_script('google-maps', 'http://maps.google.com/maps/api/js?sensor=false');
    
    5
    			wp_enqueue_script('google-maps');
    
    6
    7
    			wp_register_script('wptuts-custom', get_template_directory_uri() . '/map/map.js', '', '', true);
    
    8
    			wp_enqueue_script('wptuts-custom');
    
    9
    10
    			$output = sprintf(
    
    11
    				'<div id="map-container" data-map-infowindow="%s" data-map-zoom="%s"></div>',
    
    12
    				get_option('map_config_infobox'),
    
    13
    				get_option('map_config_zoom')
    
    14
    			);
    
    15
    16
    			return $output;
    
    17
    		}
    
    18
    		add_shortcode('wpmap_map', 'wpmap_map');
    
  2. Shortcode 2 : wpmap_directions_container

    Here we simply return an empty div with an ID of dir-container. This will act as the container for the directions.

    1
    2
    		function wpmap_directions() {
    
    3
    4
    			$output = '<div id="dir-container" ></div>';
    
    5
    			return $output;
    
    6
    7
    		}
    
    8
    		add_shortcode('wpmap_directions_container', 'wpmap_directions');
    
  3. Shortcode 3 : wpmap_directions_input

    This generates the Markup needed for our form.

    This is also where we'll set our final custom option – the destination Address. This time, we'll use a hidden form field to hold the Latitude/Longitude value that we entered earlier in the Admin Panel.

    1
    2
    		function wpmap_directions_input() {
    
    3
    4
    			$address_to = get_option('map_config_address');
    
    5
    6
    			$output = '<section id="directions" class="widget">
    
    
    7
    						<strong>For Driving Directions, Enter your Address below :</strong><br />
    
    
    8
    						<input id="from-input" type="text" value="" size="10"/>
    
    
    9
    						<select class="hidden" onchange="" id="unit-input">
    
    
    10
    							<option value="imperial" selected="selected">Imperial</option>
    
    
    11
    							<option value="metric">Metric</option>
    
    
    12
    						</select>
    
    
    13
    						<input id="getDirections" type="button" value="Get Directions" onclick="WPmap.getDirections();"/>
    
    
    14
    						<input id="map-config-address" type="hidden" value="' . $address_to . '"/>
    
    
    15
    					</section>';
    
    16
    			return $output;
    
    17
    		}
    
    18
    		add_shortcode('wpmap_directions_input', 'wpmap_directions_input');
    

Now we have the shortcodes set up, you can go ahead and type them into your Contact Us page (or any page you like).

If you preview the page now, all you'll see is the form input fields. That's because we haven't written our JavaScript that will initialize the Map yet and the div for the directions is currently empty.

Note: Before we dive into the JavaScript, we just need to add this to our style.css:

1
2
#map-container {
3
	width: 100%;
4
	height: 400px;
5
}

Step 7 Writing JavaScript to Interact With Google Maps API

Now it's time to make the magic happen! I'll provide a quick run-down of what we're going to do first, then we'll dig straight into the code.

  1. First we're going to create an object WMmap and assign properties to it (some of which we'll be grabbing from the markup that we created in the shortcodes)
  2. Then we'll add a few methods to handle the functionality of the map and directions.
  3. One of these methods, init, will be responsible for loading the map and also for setting some default values such as the infoWindow text, zoom level and initial marker position (all from WordPress options)
  4. Finally we'll set an event listener to load our map when the page is ready.

Ready?

I'll explain each part of the code step-by-step, but don't worry if you get lost, we'll put it all together at the end.

Set Properties

Let's create our object and set some properties. Here we are simply querying the DOM to retrieve the HTML elements that contain the values we need. The property names we're using should be very clear and self-explanatory (mapContainer is obviously the Map Container, etc :))

Here we also get a couple of objects from the API that we'll use later when we deal with Directions.

1
2
var WPmap = {
3
4
	// HTML Elements we'll use later!

5
	mapContainer	: document.getElementById('map-container'),
6
	dirContainer	: document.getElementById('dir-container'),
7
	toInput			: document.getElementById('map-config-address'),
8
	fromInput		: document.getElementById('from-input'),
9
	unitInput		: document.getElementById('unit-input'),
10
11
	// Google Maps API Objects

12
	dirService		: new google.maps.DirectionsService(),
13
	dirRenderer		: new google.maps.DirectionsRenderer(),
14
	map				: null,
15
16
	/* continues below */
17
}

The Methods

These are also part of our WPmap object, if you are unsure how everything ties together, be sure to check out the bottom of this tutorial to see all of the code together.

showDirections()

This is called from within another method that we'll see later, it basically controls the insertion of the directions into the page.

1
2
/* within WPmap object */
3
showDirections:function (dirResult, dirStatus) {
4
	if (dirStatus != google.maps.DirectionsStatus.OK) {
5
		alert('Directions failed: ' + dirStatus);
6
		return;
7
	}
8
9
	// Show directions

10
	WPmap.dirRenderer.setMap(WPmap.map);
11
	WPmap.dirRenderer.setPanel(WPmap.dirContainer);
12
	WPmap.dirRenderer.setDirections(dirResult);
13
},

getStartLatLng()

This is called once from our init method. It will set the startLatLng property equal to a google.maps.LatLng object that we can use later. It requires that we provide it separate Latitude and Longitude values – how can we do this?

  1. In our shortcode we inserted a hidden form field that contains the Latitude & Longitude value that we set in the WordPress Admin. Then we retrieved the hidden form field and stored it in toInput. This means we can now access the value using WPmap.toInput.value
  2. However, the value we set in the form is just a string with a comma separating the numbers. To separate the values we can split the string up using .split(","). This will return an array containing the Latitude and Longitude as separate values.
  3. Now we can access each one by using the arrays index.
1
2
	/* within WPmap object */
3
	getStartLatLng: function () {
4
		var n = WPmap.toInput.value.split(",");
5
		WPmap.startLatLng = new google.maps.LatLng(n[0], n[1]);
6
	},

getSelectedUnitSystem()

Because we have allowed our users to select whether they would prefer directions in Metric or Imperial, we use this method to set DirectionsUnitSystem to either METRIC or IMPERIAL.

1
2
	/* within WPmap object */
3
	getSelectedUnitSystem:function () {
4
		return WPmap.unitInput.options[WPmap.unitInput.selectedIndex].value == 'metric' ?
5
			google.maps.DirectionsUnitSystem.METRIC :
6
			google.maps.DirectionsUnitSystem.IMPERIAL;
7
	},

getDirections()

This is the method that is called when the user clicks the Get Directions button.

  1. First we get the address that the user entered and store it in the fromStr variable.
  2. Next we set up an options object – dirRequest. This will contain the options needed to provide the Driving Directions.
    1. origin – The address that the user entered.
    2. destination – The google.maps.LatLng object containing the Latitude and Longitude values of your destination.
    3. travelMode – Here we ensure we are only retrieving Driving Directions.
    4. unitSystem – Specify which unit of measurement to use based on user's choice.
  3. Finally, we call WPmap.dirService.route – and pass two parameters to it:
    1. dirRequest – this is the object containing our options.
    2. WPmap.showDirections – the callback function that handles the placement of the directions into the page.
1
2
	/* within WPmap object */
3
	getDirections:function () {
4
5
		var fromStr = WPmap.fromInput.value;
6
7
		var dirRequest = {
8
			origin      : fromStr,
9
			destination : WPmap.startLatLng,
10
			travelMode  : google.maps.DirectionsTravelMode.DRIVING,
11
			unitSystem  : WPmap.getSelectedUnitSystem()
12
		};
13
14
		WPmap.dirService.route(dirRequest, WPmap.showDirections);
15
	},

init()

This is the method that is called when the page is loaded. It is responsible for :

  1. Initiating the map, centered on your address.
  2. Retrieving values that are needed to set the infoWindow text and the initial Zoom level.
  3. Setting a marker pin showing your address.
  4. Listening for when when a user clicks 'Get Directions' so that it can remove the initial Marker and infoWindow
1
2
	init:function () {
3
4
		// get the infowindow text and zoom level

5
		var infoWindowContent = WPmap.mapContainer.getAttribute('data-map-infowindow');
6
		var initialZoom       = WPmap.mapContainer.getAttribute('data-map-zoom');
7
8
		// call the method that sets WPmap.startLatLng

9
		WPmap.getStartLatLng();
10
11
		// setup the map.

12
		WPmap.map = new google.maps.Map(WPmap.mapContainer, {
13
			zoom      : parseInt(initialZoom),
14
			center    : WPmap.startLatLng,
15
			mapTypeId : google.maps.MapTypeId.ROADMAP
16
		});
17
18
		// setup the red marker pin

19
		marker = new google.maps.Marker({
20
			map       : WPmap.map,
21
			position  : WPmap.startLatLng,
22
			draggable : false
23
		});
24
25
		// set the infowindow content

26
		infoWindow = new google.maps.InfoWindow({
27
			content : infoWindowContent
28
		});
29
		infoWindow.open(WPmap.map, marker);
30
31
		// listen for when Directions are requested

32
		google.maps.event.addListener(WPmap.dirRenderer, 'directions_changed', function () {
33
34
			infoWindow.close();         //close the initial infoWindow

35
			marker.setVisible(false);   //remove the initial marker

36
37
		});
38
	}//init

39
40
};// <-- this is the end of the object.

** Optional **

If you want to display a nice message (like the one seen below) to your users after they have requested directions, just copy the code under the image into the event listener inside the init method.

Optional Thank you message:

1
2
	// Get the distance of the journey

3
	var distanceString = WPmap.dirRenderer.directions.routes[0].legs[0].distance.text;
4
5
	// set the content of the infoWindow before we open it again.

6
	infoWindow.setContent('Thanks!<br /> Looks like you\'re about <strong> ' + distanceString + '</strong> away from us. <br />Directions are just below the map');
7
8
	// re-open the infoWindow

9
	infoWindow.open(WPmap.map, marker);
10
11
	setTimeout(function () {
12
		infoWindow.close()
13
	}, 8000); //close it after 8 seconds.

Step 8 Add the Event Listener That Will Load the Map

Are you still with me? We've made it all the way to end now and all that's left to do is call the WPmap.init() method when the page loads. Add this to the bottom of map.js

1
2
google.maps.event.addDomListener(window, 'load', WPmap.init);

Putting All the JavaScript Together

We've covered a lot of ground here, so let's see how it looks when it's all put together.

1
2
var WPmap = {
3
4
	// HTML Elements we'll use later!

5
	mapContainer   : document.getElementById('map-container'),
6
	dirContainer   : document.getElementById('dir-container'),
7
	toInput        : document.getElementById('map-config-address'),
8
	fromInput      : document.getElementById('from-input'),
9
	unitInput      : document.getElementById('unit-input'),
10
	startLatLng    : null,
11
12
	// Google Maps API Objects

13
	dirService     : new google.maps.DirectionsService(),
14
	dirRenderer    : new google.maps.DirectionsRenderer(),
15
	map:null,
16
17
	showDirections:function (dirResult, dirStatus) {
18
		if (dirStatus != google.maps.DirectionsStatus.OK) {
19
			alert('Directions failed: ' + dirStatus);
20
			return;
21
		}
22
23
		// Show directions

24
		WPmap.dirRenderer.setMap(WPmap.map);
25
		WPmap.dirRenderer.setPanel(WPmap.dirContainer);
26
		WPmap.dirRenderer.setDirections(dirResult);
27
	},
28
29
	getStartLatLng:function () {
30
		var n = WPmap.toInput.value.split(",");
31
		WPmap.startLatLng = new google.maps.LatLng(n[0], n[1]);
32
	},
33
34
	getSelectedUnitSystem:function () {
35
		return WPmap.unitInput.options[WPmap.unitInput.selectedIndex].value == 'metric' ?
36
			google.maps.DirectionsUnitSystem.METRIC :
37
			google.maps.DirectionsUnitSystem.IMPERIAL;
38
	},
39
40
	getDirections:function () {
41
42
		var fromStr = WPmap.fromInput.value; //Get the postcode that was entered

43
44
		var dirRequest = {
45
			origin      : fromStr,
46
			destination : WPmap.startLatLng,
47
			travelMode  : google.maps.DirectionsTravelMode.DRIVING,
48
			unitSystem  : WPmap.getSelectedUnitSystem()
49
		};
50
51
		WPmap.dirService.route(dirRequest, WPmap.showDirections);
52
	},
53
54
	init:function () {
55
56
		// get the content

57
		var infoWindowContent = WPmap.mapContainer.getAttribute('data-map-infowindow');
58
		var initialZoom       = WPmap.mapContainer.getAttribute('data-map-zoom');
59
60
		WPmap.getStartLatLng();
61
62
		// setup the map.

63
		WPmap.map = new google.maps.Map(
64
			WPmap.mapContainer,
65
			{
66
				zoom: parseInt(initialZoom),     //ensure it comes through as an Integer

67
				center: WPmap.startLatLng,
68
				mapTypeId: google.maps.MapTypeId.ROADMAP
69
			}
70
		);
71
72
		// setup the red pin marker

73
		marker = new google.maps.Marker({
74
			map: WPmap.map,
75
			position: WPmap.startLatLng,
76
			draggable: false
77
		});
78
79
		// set the infowindow content

80
		infoWindow = new google.maps.InfoWindow({
81
			content:infoWindowContent
82
		});
83
		infoWindow.open(WPmap.map, marker);
84
85
		// listen for when Directions are requested

86
		google.maps.event.addListener(
87
			WPmap.dirRenderer,
88
			'directions_changed',
89
			function () {
90
91
				infoWindow.close();         //close the first infoWindow

92
				marker.setVisible(false);   //remove the first marker

93
94
				// setup strings to be used.

95
				var distanceString = WPmap.dirRenderer.directions.routes[0].legs[0].distance.text;
96
97
				// set the content of the infoWindow before we open it again.

98
				infoWindow.setContent('Thanks!<br /> Looks like you\'re about <strong> ' + distanceString + '</strong> away from us. <br />Directions are just below the map');
99
100
				// re-open the infoWindow

101
				infoWindow.open(WPmap.map, marker);
102
				setTimeout(function () {
103
					infoWindow.close()
104
				}, 8000); //close it after 8 seconds.

105
106
			}
107
		);
108
	}//init

109
};
110
111
google.maps.event.addDomListener(window, 'load', WPmap.init);

Tutorial Notes

  1. Be sure to research anything you don't understand on Google's Maps API Website
  2. When writing this tutorial, I was testing my code using the stock TwentyEleven WordPress Theme. Something was causing the arrow at the bottom of the InfoWindow on the map to display incorrectly. It's because .entry-content img on line 857 has a max-width set. This screws up the way that Google renders the infoWindow. To fix it, enter this somewhere below it:

    1
    2
    			#map-container img { max-width: none; }
    
Advertisement
Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Advertisement
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.