react-google-maps provides a set of React components wrapping the underlying Google Maps JavaScript API v3 instances. The wrapping simply do:

  • props delegation
  • events as callbacks
  • lifecycle management
  • auto-mount on map

That's it. Nothing more. If you find some limitations, that might be due to Google Maps JavaScript API v3 but not react-google-maps.

This documentation site is created with the awesome react-styleguidist. It comes with components documentation with props, public methods and live demo. The live demos come with live updates by clicking the CODE button on the bottom-left corner and editing there.

npm install --save react-google-maps # or
yarn add react-google-maps

There're some steps to take to create your custom map components. Follow on:

Step 1

Everything inside a component will be mounted automatically on the map And it will be automatically unmounted from the map if you don't render it.

import { GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = (props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} />}
  </GoogleMap>

<MyMapComponent isMarkerShown />// Map with a Marker
<MyMapComponent isMarkerShown={false} />// Just only Map

Step 2

In order to initialize the MyMapComponent with DOM instances, you'll need to wrap it with withGoogleMap HOC.

import { withGoogleMap, GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = withGoogleMap((props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} />}
  </GoogleMap>
)

<MyMapComponent isMarkerShown />// Map with a Marker
<MyMapComponent isMarkerShown={false} />// Just only Map

Step 3

In order to correctly load Google Maps JavaScript API v3, you'll need to wrap it with withScriptjs HOC.

import { withScriptjs, withGoogleMap, GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = withScriptjs(withGoogleMap((props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} />}
  </GoogleMap>
))

<MyMapComponent isMarkerShown />// Map with a Marker
<MyMapComponent isMarkerShown={false} />// Just only Map

If you don't use withScriptjs, you have to put a <script/> tag for Google Maps JavaScript API v3 in your HTML's <head/> element

Step 4

Notice there're some required props for withGoogleMap and withScriptjs HOC.

import { withScriptjs, withGoogleMap, GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = withScriptjs(withGoogleMap((props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} />}
  </GoogleMap>
))

<MyMapComponent
  isMarkerShown
  googleMapURL="https://maps.googleapis.com/maps/api/js?v=3.exp&libraries=geometry,drawing,places"
  loadingElement={<div style={{ height: `100%` }} />}
  containerElement={<div style={{ height: `400px` }} />}
  mapElement={<div style={{ height: `100%` }} />}
/>

For simplicity, in this documentation, I will use recompose to simplify the component. It'll look something like this with recompose:

import { compose, withProps } from "recompose"
import { withScriptjs, withGoogleMap, GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = compose(
  withProps({
    googleMapURL: "https://maps.googleapis.com/maps/api/js?v=3.exp&libraries=geometry,drawing,places",
    loadingElement: <div style={{ height: `100%` }} />,
    containerElement: <div style={{ height: `400px` }} />,
    mapElement: <div style={{ height: `100%` }} />,
  }),
  withScriptjs,
  withGoogleMap
)((props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} />}
  </GoogleMap>
))

<MyMapComponent isMarkerShown />

Step 5

Implement your own state transition logic with MyMapComponent!

import React from "react"
import { compose, withProps } from "recompose"
import { withScriptjs, withGoogleMap, GoogleMap, Marker } from "react-google-maps"

const MyMapComponent = compose(
  withProps({
    googleMapURL: "https://maps.googleapis.com/maps/api/js?v=3.exp&libraries=geometry,drawing,places",
    loadingElement: <div style={{ height: `100%` }} />,
    containerElement: <div style={{ height: `400px` }} />,
    mapElement: <div style={{ height: `100%` }} />,
  }),
  withScriptjs,
  withGoogleMap
)((props) =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    {props.isMarkerShown && <Marker position={{ lat: -34.397, lng: 150.644 }} onClick={props.onMarkerClick} />}
  </GoogleMap>
))

class MyFancyComponent extends React.PureComponent {
  state = {
    isMarkerShown: false,
  }

  componentDidMount() {
    this.delayedShowMarker()
  }

  delayedShowMarker = () => {
    setTimeout(() => {
      this.setState({ isMarkerShown: true })
    }, 3000)
  }

  handleMarkerClick = () => {
    this.setState({ isMarkerShown: false })
    this.delayedShowMarker()
  }

  render() {
    return (
      <MyMapComponent
        isMarkerShown={this.state.isMarkerShown}
        onMarkerClick={this.handleMarkerClick}
      />
    )
  }
}

Props

  • containerElement: ReactElement
  • mapElement: ReactElement

Usage

import {
  withGoogleMap,
  GoogleMap,
  Marker,
} from "react-google-maps";

const MapWithAMarker = withGoogleMap(props =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    <Marker
      position={{ lat: -34.397, lng: 150.644 }}
    />
  </GoogleMap>
);

<MapWithAMarker
  containerElement={<div style={{ height: `400px` }} />}
  mapElement={<div style={{ height: `100%` }} />}
/>

Props

  • googleMapURL: String
  • loadingElement: ReactElement

Usage

import {
  withScriptjs,
  withGoogleMap,
  GoogleMap,
  Marker,
} from "react-google-maps";

const MapWithAMarker = withScriptjs(withGoogleMap(props =>
  <GoogleMap
    defaultZoom={8}
    defaultCenter={{ lat: -34.397, lng: 150.644 }}
  >
    <Marker
      position={{ lat: -34.397, lng: 150.644 }}
    />
  </GoogleMap>
));

<MapWithAMarker
  googleMapURL="https://maps.googleapis.com/maps/api/js?key=AIzaSyC4R6AN7SmujjPUIGKdyao2Kqitzr1kiRg&v=3.exp&libraries=geometry,drawing,places"
  loadingElement={<div style={{ height: `100%` }} />}
  containerElement={<div style={{ height: `400px` }} />}
  mapElement={<div style={{ height: `100%` }} />}
/>
import InfoBox from "react-google-maps/lib/components/addons/InfoBox";
Prop nameTypeDefaultDescription
defaultOptionsany
defaultPositionany
defaultVisiblebool
defaultZIndexnumber
optionsany
positionany
visiblebool
zIndexnumber
onCloseClickfunc

function

onDomReadyfunc

function

onContentChangedfunc

function

onPositionChangedfunc

function

onZindexChangedfunc

function

Styled Map with an InfoBox

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import MarkerClusterer from "react-google-maps/lib/components/addons/MarkerClusterer";
Prop nameTypeDefaultDescription
defaultAverageCenterbool
defaultBatchSizeIEnumber
defaultBatchSizenumber
defaultCalculatorfunc
defaultClusterClassstring
defaultEnableRetinaIconsbool
defaultGridSizenumber
defaultIgnoreHiddenbool
defaultImageExtensionstring
defaultImagePathstring
defaultImageSizesarray
defaultMaxZoomnumber
defaultMinimumClusterSizenumber
defaultStylesarray
defaultTitlestring
defaultZoomOnClickbool
averageCenterbool
batchSizeIEnumber
batchSizenumber
calculatorfunc
clusterClassstring
enableRetinaIconsbool
gridSizenumber
ignoreHiddenbool
imageExtensionstring
imagePathstring
imageSizesarray
maxZoomnumber
minimumClusterSizenumber
stylesarray
titlestring
zoomOnClickbool
onClickfunc

function

onClusteringBeginfunc

function

onClusteringEndfunc

function

onMouseOutfunc

function

onMouseOverfunc

function

Map with a MarkerClusterer

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import MarkerWithLabel from "react-google-maps/lib/components/addons/MarkerWithLabel";
Prop nameTypeDefaultDescription
childrennode
labelAnchorobject
labelClassstring
labelStyleobject

For MarkerWithLabel. This is for native JS style object, so you may expect some React shorthands for inline styles not working here.

https://cdn.rawgit.com/googlemaps/v3-utility-library/master/markerwithlabel/src/markerwithlabel.js

labelVisiblebooltrue
noRedrawbool

For the 2nd argument of MarkerCluster#addMarker

https://github.com/mikesaidani/marker-clusterer-plus

defaultAnimationany
defaultClickablebool
defaultCursorstring
defaultDraggablebool
defaultIconany
defaultLabelany
defaultOpacitynumber
defaultOptionsany
defaultPlaceany
defaultPositionany
defaultShapeany
defaultTitlestring
defaultVisiblebool
defaultZIndexnumber
animationany
clickablebool
cursorstring
draggablebool
iconany
labelany
opacitynumber
optionsany
placeany
positionany
shapeany
titlestring
visiblebool
zIndexnumber
onDblClickfunc

function

onDragEndfunc

function

onDragStartfunc

function

onMouseDownfunc

function

onMouseOutfunc

function

onMouseOverfunc

function

onMouseUpfunc

function

onRightClickfunc

function

onAnimationChangedfunc

function

onClickfunc

function

onClickableChangedfunc

function

onCursorChangedfunc

function

onDragfunc

function

onDraggableChangedfunc

function

onFlatChangedfunc

function

onIconChangedfunc

function

onPositionChangedfunc

function

onShapeChangedfunc

function

onTitleChangedfunc

function

onVisibleChangedfunc

function

onZindexChangedfunc

function

Method nameParametersDescription
getAnimation()
getClickable()
getCursor()
getDraggable()
getIcon()
getLabel()
getOpacity()
getPlace()
getPosition()
getShape()
getTitle()
getVisible()
getZIndex()

Map with a MarkerWithLabel

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { BicyclingLayer } from "react-google-maps";

Map with a BicyclingLayer

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { Circle } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultCenterany
defaultDraggablebool
defaultEditablebool
defaultOptionsany
defaultRadiusnumber
defaultVisiblebool
centerany
draggablebool
editablebool
optionsany
radiusnumber
visiblebool
onDblClickfunc

function

onDragEndfunc

function

onDragStartfunc

function

onMouseDownfunc

function

onMouseMovefunc

function

onMouseOutfunc

function

onMouseOverfunc

function

onMouseUpfunc

function

onRightClickfunc

function

onCenterChangedfunc

function

onClickfunc

function

onDragfunc

function

onRadiusChangedfunc

function

Method nameParametersDescription
getBounds()

Gets the LatLngBounds of this Circle.

getCenter()

Returns the center of this circle.

getDraggable()

Returns whether this circle can be dragged by the user.

getEditable()

Returns whether this circle can be edited by the user.

getRadius()

Returns the radius of this circle (in meters).

getVisible()

Returns whether this circle is visible on the map.

import { DirectionsRenderer } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultDirectionsany
defaultOptionsany
defaultPanelany
defaultRouteIndexnumber
directionsany
optionsany
panelany
routeIndexnumber
onDirectionsChangedfunc

function

Method nameParametersDescription
getDirections()

Returns the renderer's current set of directions.

getPanel()

Returns the panel <div> in which the DirectionsResult is rendered.

getRouteIndex()

Returns the current (zero-based) route index in use by this DirectionsRenderer object.

Map with a DirectionsRenderer

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import DrawingManager from "react-google-maps/lib/components/drawing/DrawingManager";
Prop nameTypeDefaultDescription
defaultDrawingModeany
defaultOptionsany
drawingModeany
optionsany
onCircleCompletefunc

function

onMarkerCompletefunc

function

onOverlayCompletefunc

function

onPolygonCompletefunc

function

onPolylineCompletefunc

function

onRectangleCompletefunc

function

Method nameParametersDescription
getDrawingMode()

Returns the DrawingManager's drawing mode.

Map with a DrawingManager

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { FusionTablesLayer } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultOptionsany
optionsany
onClickfunc

function

Map with a FusionTablesLayer

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { GoogleMap } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultExtraMapTypesarrayOf[]
defaultCenterany
defaultClickableIconsbool
defaultHeadingnumber
defaultMapTypeIdany
defaultOptionsany
defaultStreetViewany
defaultTiltnumber
defaultZoomnumber
centerany
clickableIconsbool
headingnumber
mapTypeIdany
optionsany
streetViewany
tiltnumber
zoomnumber
onDblClickfunc

function

onDragEndfunc

function

onDragStartfunc

function

onMapTypeIdChangedfunc

function

onMouseMovefunc

function

onMouseOutfunc

function

onMouseOverfunc

function

onRightClickfunc

function

onTilesLoadedfunc

function

onBoundsChangedfunc

function

onCenterChangedfunc

function

onClickfunc

function

onDragfunc

function

onHeadingChangedfunc

function

onIdlefunc

function

onProjectionChangedfunc

function

onResizefunc

function

onTiltChangedfunc

function

onZoomChangedfunc

function

Method nameParametersDescription
fitBounds()
...args
panBy()
...args
panTo()
...args
panToBounds()
...args
getBounds()

Returns the lat/lng bounds of the current viewport. If more than one copy of the world is visible, the bounds range in longitude from -180 to 180 degrees inclusive. If the map is not yet initialized (i.e. the mapType is still null), or center and zoom have not been set then the result is null or undefined.

getCenter()

Returns the position displayed at the center of the map. Note that this LatLng object is not wrapped. See [LatLng](#LatLng) for more information.

getClickableIcons()

Returns the clickability of the map icons. A map icon represents a point of interest, also known as a POI. If the returned value is true, then the icons are clickable on the map.

getDiv()
getHeading()

Returns the compass heading of aerial imagery. The heading value is measured in degrees (clockwise) from cardinal direction North.

getMapTypeId()
getProjection()

Returns the current Projection. If the map is not yet initialized (i.e. the mapType is still null) then the result is null. Listen to projection_changed and check its value to ensure it is not null.

getStreetView()

Returns the default StreetViewPanorama bound to the map, which may be a default panorama embedded within the map, or the panorama set using setStreetView(). Changes to the map's streetViewControl will be reflected in the display of such a bound panorama.

getTilt()

Returns the current angle of incidence of the map, in degrees from the viewport plane to the map plane. The result will be 0 for imagery taken directly overhead or 45 for 45° imagery. 45° imagery is only available for satellite and hybrid map types, within some locations, and at some zoom levels. Note: This method does not return the value set by setTilt. See setTilt for details.

getZoom()

Map with controlled zoom

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { GroundOverlay } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultUrlstring
defaultBoundsobject
urlstring
boundsobject

Deprecated: use defaultBounds instead. It will be removed in v10.0.0

https://developers.google.com/maps/documentation/javascript/reference#GroundOverlay

defaultOpacitynumber
opacitynumber
onDblClickfunc

function

onClickfunc

function

Method nameParametersDescription
getBounds()

Gets the LatLngBounds of this overlay.

getOpacity()

Returns the opacity of this ground overlay.

getUrl()

Gets the url of the projected image.

Map with Ground Overlay

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { InfoWindow } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultOptionsany
defaultPositionany
defaultZIndexnumber
optionsany
positionany
zIndexnumber
onCloseClickfunc

function

onDomReadyfunc

function

onContentChangedfunc

function

onPositionChangedfunc

function

onZindexChangedfunc

function

Method nameParametersDescription
getPosition()
getZIndex()

Click the Marker to show InfoWindow

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { KmlLayer } from "react-google-maps";
Prop nameTypeDefaultDescription
defaultOptionsany
defaultUrlstring
defaultZIndexnumber
optionsany
urlstring
zIndexnumber
onDefaultViewportChangedfunc

function

onClickfunc

function

onStatusChangedfunc

function

Method nameParametersDescription
getDefaultViewport()

Get the default viewport for the layer being displayed.

getMetadata()

Get the metadata associated with this layer, as specified in the layer markup.

getStatus()

Get the status of the layer, set once the requested document has loaded.

getUrl()

Gets the URL of the KML file being displayed.

getZIndex()

Gets the z-index of the KML Layer.

Map with a KmlLayer

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { Marker } from "react-google-maps";
Prop nameTypeDefaultDescription
noRedrawbool

For the 2nd argument of MarkerCluster#addMarker

https://github.com/mikesaidani/marker-clusterer-plus

defaultAnimationany
defaultClickablebool
defaultCursorstring
defaultDraggablebool
defaultIconany
defaultLabelany
defaultOpacitynumber
defaultOptionsany
defaultPlaceany
defaultPositionany
defaultShapeany
defaultTitlestring
defaultVisiblebool
defaultZIndexnumber
animationany
clickablebool
cursorstring
draggablebool
iconany
labelany
opacitynumber
optionsany
placeany
positionany
shapeany
titlestring
visiblebool
zIndexnumber
onDblClickfunc

function

onDragEndfunc

function

onDragStartfunc

function

onMouseDownfunc

function

onMouseOutfunc

function

onMouseOverfunc

function

onMouseUpfunc

function

onRightClickfunc

function

onAnimationChangedfunc

function

onClickfunc

function

onClickableChangedfunc

function

onCursorChangedfunc

function

onDragfunc

function

onDraggableChangedfunc

function

onFlatChangedfunc

function

onIconChangedfunc

function

onPositionChangedfunc

function

onShapeChangedfunc

function

onTitleChangedfunc

function

onVisibleChangedfunc

function

onZindexChangedfunc

function

Method nameParametersDescription
getAnimation()
getClickable()
getCursor()
getDraggable()
getIcon()
getLabel()
getOpacity()
getPlace()
getPosition()
getShape()
getTitle()
getVisible()
getZIndex()

Map with a Marker

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import { OverlayView } from "react-google-maps";
Prop nameTypeDefaultDescription
mapPaneNamestring
positionobject
boundsobject
childrennodeRequired
getPixelPositionOffsetfunc
Method nameParametersDescription
getPanes()

Returns the panes in which this OverlayView can be rendered. The panes are not initialized until onAdd is called by the API.

getProjection()

Returns the MapCanvasProjection object associated with this OverlayView. The projection is not initialized until onAdd is called by the API.

Click the Marker to show OverlayView

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import SearchBox from "react-google-maps/lib/components/places/SearchBox";
Prop nameTypeDefaultDescription
controlPositionnumber

Where to put <SearchBox> inside a <GoogleMap>

defaultBoundsany
boundsany
onPlacesChangedfunc

function

Method nameParametersDescription
getBounds()

Returns the bounds to which query predictions are biased.

getPlaces()

Returns the query selected by the user, or null if no places have been found yet, to be used with places_changed event.

Map with a SearchBox

Oops! Something went wrong.
This page didn't load Google Maps correctly. See the JavaScript console for technical details.
import StandaloneSearchBox from "react-google-maps/lib/components/places/StandaloneSearchBox";

A wrapper around google.maps.places.SearchBox without the map

https://developers.google.com/maps/documentation/javascript/3.exp/reference#SearchBox

Prop nameTypeDefaultDescription
defaultBoundsany
boundsany
onPlacesChangedfunc

function

Method nameParametersDescription
getBounds()

Returns the bounds to which query predictions are biased.

getPlaces()

Returns the query selected by the user, or null if no places have been found yet, to be used with places_changed event.

Standalone SearchBox

    import { Polygon } from "react-google-maps";
    Prop nameTypeDefaultDescription
    defaultDraggablebool
    defaultEditablebool
    defaultOptionsany
    defaultPathany
    defaultPathsany
    defaultVisiblebool
    draggablebool
    editablebool
    optionsany
    pathany
    pathsany
    visiblebool
    onDblClickfunc

    function

    onDragEndfunc

    function

    onDragStartfunc

    function

    onMouseDownfunc

    function

    onMouseMovefunc

    function

    onMouseOutfunc

    function

    onMouseOverfunc

    function

    onMouseUpfunc

    function

    onRightClickfunc

    function

    onClickfunc

    function

    onDragfunc

    function

    Method nameParametersDescription
    getDraggable()

    Returns whether this shape can be dragged by the user.

    getEditable()

    Returns whether this shape can be edited by the user.

    getPath()

    Retrieves the first path.

    getPaths()

    Retrieves the paths for this polygon.

    getVisible()

    Returns whether this poly is visible on the map.

    import { Polyline } from "react-google-maps";
    Prop nameTypeDefaultDescription
    defaultDraggablebool
    defaultEditablebool
    defaultOptionsany
    defaultPathany
    defaultVisiblebool
    draggablebool
    editablebool
    optionsany
    pathany
    visiblebool
    onDblClickfunc

    function

    onDragEndfunc

    function

    onDragStartfunc

    function

    onMouseDownfunc

    function

    onMouseMovefunc

    function

    onMouseOutfunc

    function

    onMouseOverfunc

    function

    onMouseUpfunc

    function

    onRightClickfunc

    function

    onClickfunc

    function

    onDragfunc

    function

    Method nameParametersDescription
    getDraggable()

    Returns whether this shape can be dragged by the user.

    getEditable()

    Returns whether this shape can be edited by the user.

    getPath()

    Retrieves the path.

    getVisible()

    Returns whether this poly is visible on the map.

    import { Rectangle } from "react-google-maps";
    Prop nameTypeDefaultDescription
    defaultBoundsany
    defaultDraggablebool
    defaultEditablebool
    defaultOptionsany
    defaultVisiblebool
    boundsany
    draggablebool
    editablebool
    optionsany
    visiblebool
    onDblClickfunc

    function

    onDragEndfunc

    function

    onDragStartfunc

    function

    onMouseDownfunc

    function

    onMouseMovefunc

    function

    onMouseOutfunc

    function

    onMouseOverfunc

    function

    onMouseUpfunc

    function

    onRightClickfunc

    function

    onBoundsChangedfunc

    function

    onClickfunc

    function

    onDragfunc

    function

    Method nameParametersDescription
    getBounds()

    Returns the bounds of this rectangle.

    getDraggable()

    Returns whether this rectangle can be dragged by the user.

    getEditable()

    Returns whether this rectangle can be edited by the user.

    getVisible()

    Returns whether this rectangle is visible on the map.

    import { StreetViewPanorama } from "react-google-maps";
    Prop nameTypeDefaultDescription
    defaultLinksany
    defaultMotionTrackingbool
    defaultOptionsany
    defaultPanostring
    defaultPositionany
    defaultPovany
    defaultVisiblebool
    defaultZoomnumber
    linksany
    motionTrackingbool
    optionsany
    panostring
    positionany
    povany
    visiblebool
    zoomnumber
    onCloseClickfunc

    function

    onPanoChangedfunc

    function

    onPositionChangedfunc

    function

    onPovChangedfunc

    function

    onResizefunc

    function

    onStatusChangedfunc

    function

    onVisibleChangedfunc

    function

    onZoomChangedfunc

    function

    Method nameParametersDescription
    getLinks()

    Returns the set of navigation links for the Street View panorama.

    getLocation()

    Returns the StreetViewLocation of the current panorama.

    getMotionTracking()

    Returns the state of motion tracker. If true when the user physically moves the device and the browser supports it, the Street View Panorama tracks the physical movements.

    getPano()

    Returns the current panorama ID for the Street View panorama. This id is stable within the browser's current session only.

    getPhotographerPov()

    Returns the heading and pitch of the photographer when this panorama was taken. For Street View panoramas on the road, this also reveals in which direction the car was travelling. This data is available after the pano_changed event.

    getPosition()

    Returns the current LatLng position for the Street View panorama.

    getPov()

    Returns the current point of view for the Street View panorama.

    getStatus()

    Returns the status of the panorama on completion of the setPosition() or setPano() request.

    getVisible()

    Returns true if the panorama is visible. It does not specify whether Street View imagery is available at the specified position.

    getZoom()

    Returns the zoom level of the panorama. Fully zoomed-out is level 0, where the field of view is 180 degrees. Zooming in increases the zoom level.

    Click the Marker to show OverlayView

    Oops! Something went wrong.
    This page didn't load Google Maps correctly. See the JavaScript console for technical details.
    import { TrafficLayer } from "react-google-maps";
    Prop nameTypeDefaultDescription
    defaultOptionsany
    optionsany

    Map with a TrafficLayer

    Oops! Something went wrong.
    This page didn't load Google Maps correctly. See the JavaScript console for technical details.
    import HeatmapLayer from "react-google-maps/lib/components/visualization/HeatmapLayer";
    Prop nameTypeDefaultDescription
    defaultDataany
    defaultOptionsany
    dataany
    optionsany
    Method nameParametersDescription
    getData()

    Returns the data points currently displayed by this heatmap.

    BESbswy