メインコンテンツまでスキップ
バージョン: v3

@capacitor/google-maps

Google maps on Capacitor

Install

npm install @capacitor/google-maps
npx cap sync

API Keys

To use the Google Maps SDK on any platform, API keys associated with an account with billing enabled are required. These can be obtained from the Google Cloud Console. This is required for all three platforms, Android, iOS, and Javascript. Additional information about obtaining these API keys can be found in the Google Maps documentation for each platform.

iOS

The Google Maps SDK supports the use of showing the users current location via enableCurrentLocation(bool). To use this, Apple requires privacy descriptions to be specified in Info.plist:

  • NSLocationAlwaysUsageDescription (Privacy - Location Always Usage Description)
  • NSLocationWhenInUseUsageDescription (Privacy - Location When In Use Usage Description)

Read about Configuring Info.plist in the iOS Guide for more information on setting iOS permissions in Xcode.

The Google Maps SDK currently does not support running on simulators using the new M1-based Macbooks. This is a known and acknowledged issue and requires a fix from Google. If you are developing on a M1 Macbook, building and running on physical devices is still supported and is the recommended approach.

Android

The Google Maps SDK for Android requires you to add your API key to the AndroidManifest.xml file in your project.

<meta-data android:name="com.google.android.geo.API_KEY" android:value="YOUR_API_KEY_HERE"/>

To use certain location features, the SDK requires the following permissions to also be added to your AndroidManifest.xml:

<uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION" />
<uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" />

Usage

The Google Maps Capacitor plugin ships with a web component that must be used to render the map in your application as it enables us to embed the native view more effectively on iOS. The plugin will automatically register this web component for use in your application.

For Angular users, you will get an error warning that this web component is unknown to the Angular compiler. This is resolved by modifying the module that declares your component to allow for custom web components.

import { CUSTOM_ELEMENTS_SCHEMA } from '@angular/core';

@NgModule({
schemas: [CUSTOM_ELEMENTS_SCHEMA]
})

Include this component in your HTML and assign it an ID so that you can easily query for that element reference later.

<capacitor-google-map id="map"></capacitor-google-map>

On Android, the map is rendered beneath the entire webview, and uses this component to manage its positioning during scrolling events. This means that as the developer, you must ensure that the webview is transparent all the way through the layers to the very bottom. In a typically Ionic application, that means setting transparency on elements such as IonContent and the root HTML tag to ensure that it can be seen. If you can't see your map on Android, this should be the first thing you check.

On iOS, we render the map directly into the webview and so the same transparency effects are not required. We are investigating alternate methods for Android still and hope to resolve this better in a future update.

The Google Map element itself comes unstyled, so you should style it to fit within the layout of your page structure. Because we're rendering a view into this slot, by itself the element has no width or height, so be sure to set those explicitly.

capacitor-google-map {
display: inline-block;
width: 275px;
height: 400px;
}

Next, we should create the map reference. This is done by importing the GoogleMap class from the Capacitor plugin and calling the create method, and passing in the required parameters.

import { GoogleMap } from '@capacitor/google-maps';

const apiKey = 'YOUR_API_KEY_HERE';

const mapRef = document.getElementById('map');

const newMap = await GoogleMap.create({
id: 'my-map', // Unique identifier for this map instance
element: mapRef, // reference to the capacitor-google-map element
apiKey: apiKey, // Your Google Maps API Key
config: {
center: {
// The initial position to be rendered by the map
lat: 33.6,
lng: -117.9,
},
zoom: 8, // The initial zoom level to be rendered by the map
},
});

At this point, your map should be created within your application. Using the returned reference to the map, you can easily interact with your map in a number of way, a few of which are shown here.

const newMap = await GoogleMap.create({...});

// Add a marker to the map
const markerId = await newMap.addMarker({
coordinate: {
lat: 33.6,
lng: -117.9
}
});

// Move the map programmatically
await newMap.setCamera({
coordinate: {
lat: 33.6,
lng: -117.9
}
});

// Enable marker clustering
await newMap.enableClustering();

// Handle marker click
await newMap.setOnMarkerClickListener((event) => {...});

// Clean up map reference
await newMap.destroy();

Full Examples

Angular

import { GoogleMap } from '@capacitor/google-maps';

@Component({
template: `
<capacitor-google-maps #map></capacitor-google-maps>
<button (click)="createMap()">Create Map</button>
`,
styles: [
`
capacitor-google-maps {
display: inline-block;
width: 275px;
height: 400px;
}
`,
],
})
export class MyMap {
@ViewChild('map')
mapRef: ElementRef<HTMLElement>;
newMap: GoogleMap;

async createMap() {
this.newMap = await GoogleMap.create({
id: 'my-cool-map',
element: this.mapRef.nativeElement,
apiKey: environment.apiKey,
config: {
center: {
lat: 33.6,
lng: -117.9,
},
zoom: 8,
},
});
}
}

React

import { GoogleMap } from '@capacitor/google-maps';
import { useRef } from 'react';

const MyMap: React.FC = () => {
const mapRef = useRef<HTMLElement>();
let newMap: GoogleMap;

async function createMap() {
if (!mapRef.current) return;

newMap = await GoogleMap.create({
id: 'my-cool-map',
element: mapRef.current,
apiKey: process.env.REACT_APP_YOUR_API_KEY_HERE,
config: {
center: {
lat: 33.6,
lng: -117.9
},
zoom: 8
}
})
}

return (
<div className="component-wrapper">
<capacitor-google-map ref={mapRef} style={{
display: 'inline-block',
width: 275,
height: 400
}}></capacitor-google-map>

<button onClick={createMap}>Create Map</button>
</div>
)
}

export default MyMap;

Javascript

<capacitor-google-map id="map"></capacitor-google-map>
<button onclick="createMap()">Create Map</button>

<style>
capacitor-google-map {
display: inline-block;
width: 275px;
height: 400px;
}
</style>

<script>
import { GoogleMap } from '@capacitor/google-maps';

const createMap = async () => {
const mapRef = document.getElementById('map');

const newMap = await GoogleMap.create({
id: 'my-map', // Unique identifier for this map instance
element: mapRef, // reference to the capacitor-google-map element
apiKey: 'YOUR_API_KEY_HERE', // Your Google Maps API Key
config: {
center: {
// The initial position to be rendered by the map
lat: 33.6,
lng: -117.9,
},
zoom: 8, // The initial zoom level to be rendered by the map
},
});
};
</script>

API

create(...)

create(options: CreateMapArgs, callback?: MapListenerCallback<MapReadyCallbackData> | undefined) => Promise<GoogleMap>
ParamType
options
CreateMapArgs
callback
MapListenerCallback<MapReadyCallbackData>

Returns: Promise<GoogleMap>


enableClustering()

enableClustering() => Promise<void>

disableClustering()

disableClustering() => Promise<void>

addMarker(...)

addMarker(marker: Marker) => Promise<string>
ParamType
marker
Marker

Returns: Promise<string>


addMarkers(...)

addMarkers(markers: Marker[]) => Promise<string[]>
ParamType
markersMarker[]

Returns: Promise<string[]>


removeMarker(...)

removeMarker(id: string) => Promise<void>
ParamType
idstring

removeMarkers(...)

removeMarkers(ids: string[]) => Promise<void>
ParamType
idsstring[]

destroy()

destroy() => Promise<void>

setCamera(...)

setCamera(config: CameraConfig) => Promise<void>
ParamType
config
CameraConfig

setMapType(...)

setMapType(mapType: MapType) => Promise<void>
ParamType
mapType
MapType

enableIndoorMaps(...)

enableIndoorMaps(enabled: boolean) => Promise<void>
ParamType
enabledboolean

enableTrafficLayer(...)

enableTrafficLayer(enabled: boolean) => Promise<void>
ParamType
enabledboolean

enableAccessibilityElements(...)

enableAccessibilityElements(enabled: boolean) => Promise<void>
ParamType
enabledboolean

enableCurrentLocation(...)

enableCurrentLocation(enabled: boolean) => Promise<void>
ParamType
enabledboolean

setPadding(...)

setPadding(padding: MapPadding) => Promise<void>
ParamType
padding
MapPadding

setOnBoundsChangedListener(...)

setOnBoundsChangedListener(callback?: MapListenerCallback<CameraIdleCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<CameraIdleCallbackData>

setOnCameraIdleListener(...)

setOnCameraIdleListener(callback?: MapListenerCallback<CameraIdleCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<CameraIdleCallbackData>

setOnCameraMoveStartedListener(...)

setOnCameraMoveStartedListener(callback?: MapListenerCallback<CameraMoveStartedCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<CameraMoveStartedCallbackData>

setOnClusterClickListener(...)

setOnClusterClickListener(callback?: MapListenerCallback<ClusterClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<ClusterClickCallbackData>

setOnClusterInfoWindowClickListener(...)

setOnClusterInfoWindowClickListener(callback?: MapListenerCallback<ClusterClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<ClusterClickCallbackData>

setOnInfoWindowClickListener(...)

setOnInfoWindowClickListener(callback?: MapListenerCallback<MarkerClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<MarkerClickCallbackData>

setOnMapClickListener(...)

setOnMapClickListener(callback?: MapListenerCallback<MapClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<MapClickCallbackData>

setOnMarkerClickListener(...)

setOnMarkerClickListener(callback?: MapListenerCallback<MarkerClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<MarkerClickCallbackData>

setOnMyLocationButtonClickListener(...)

setOnMyLocationButtonClickListener(callback?: MapListenerCallback<MyLocationButtonClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<MyLocationButtonClickCallbackData>

setOnMyLocationClickListener(...)

setOnMyLocationClickListener(callback?: MapListenerCallback<MapClickCallbackData> | undefined) => Promise<void>
ParamType
callback
MapListenerCallback<MapClickCallbackData>

Interfaces

CreateMapArgs

An interface containing the options used when creating a map.

PropTypeDescriptionDefault
idstringA unique identifier for the map instance.
apiKeystringThe Google Maps SDK API Key.
config
GoogleMapConfig
The initial configuration settings for the map.
elementHTMLElementThe DOM element that the Google Map View will be mounted on which determines size and positioning.
forceCreatebooleanDestroy and re-create the map instance if a map with the supplied id already existsfalse

GoogleMapConfig

PropTypeDescriptionDefault
widthnumberOverride width for native map.
heightnumberOverride height for native map.
xnumberOverride absolute x coordinate position for native map.
ynumberOverride absolute y coordinate position for native map.
center
LatLng
Default location on the Earth towards which the camera points.
zoomnumberSets the zoom of the map.
androidLiteModebooleanEnables image-based lite mode on Android.false
devicePixelRationumberOverride pixel ratio for native map.

LatLng

An interface representing a pair of latitude and longitude coordinates.

PropTypeDescription
latnumberCoordinate latitude, in degrees. This value is in the range [-90, 90].
lngnumberCoordinate longitude, in degrees. This value is in the range [-180, 180].

MapReadyCallbackData

PropType
mapIdstring

Marker

A marker is an icon placed at a particular point on the map's surface.

PropTypeDescriptionDefault
coordinate
LatLng
Marker position
opacitynumberSets the opacity of the marker, between 0 (completely transparent) and 1 inclusive.1
titlestringTitle, a short description of the overlay.
snippetstringSnippet text, shown beneath the title in the info window when selected.
isFlatbooleanControls whether this marker should be flat against the Earth's surface or a billboard facing the camera.false
iconUrlstringMarker icon to render.
draggablebooleanControls whether this marker can be dragged interactivelyfalse

CameraConfig

Configuration properties for a Google Map Camera

PropTypeDescriptionDefault
coordinate
LatLng
Location on the Earth towards which the camera points.
zoomnumberSets the zoom of the map.
bearingnumberBearing of the camera, in degrees clockwise from true north.0
anglenumberThe angle, in degrees, of the camera from the nadir (directly facing the Earth). The only allowed values are 0 and 45.0
animatebooleanAnimate the transition to the new Camera properties.false
animationDurationnumber

MapPadding

Controls for setting padding on the 'visible' region of the view.

PropType
topnumber
leftnumber
rightnumber
bottomnumber

CameraIdleCallbackData

PropType
mapIdstring
bounds
LatLngBounds
bearingnumber
latitudenumber
longitudenumber
tiltnumber
zoomnumber

LatLngBounds

An interface representing the viewports latitude and longitude bounds.

PropType
southwest
LatLng
center
LatLng
northeast
LatLng

CameraMoveStartedCallbackData

PropType
mapIdstring
isGestureboolean

ClusterClickCallbackData

PropType
mapIdstring
latitudenumber
longitudenumber
sizenumber
itemsMarkerCallbackData[]

MarkerCallbackData

PropType
markerIdstring
latitudenumber
longitudenumber
titlestring
snippetstring

MarkerClickCallbackData

PropType
mapIdstring

MapClickCallbackData

PropType
mapIdstring
latitudenumber
longitudenumber

MyLocationButtonClickCallbackData

PropType
mapIdstring

Type Aliases

MapListenerCallback

The callback function to be called when map events are emitted.

(data: T): void

Enums

MapType

MembersValueDescription
Normal'Normal'Basic map.
Hybrid'Hybrid'Satellite imagery with roads and labels.
Satellite'Satellite'Satellite imagery with no labels.
Terrain'Terrain'Topographic data.
None'None'No base map tiles.