首页龙虾技能列表 › Mapbox Google Maps Migration — 技能工具

Mapbox Google Maps Migration — 技能工具

v1.0.0

Migration guide for developers moving from Google Maps Platform to Mapbox GL JS, covering API equivalents, pattern translations, and key differences

0· 69·0 当前·0 累计
by @mapbox (Mapbox)·MIT-0
下载技能包
License
MIT-0
最后更新
2026/3/31
安全扫描
VirusTotal
无害
查看报告
OpenClaw
安全
high confidence
This is an instruction-only migration guide whose requirements and instructions align with its stated purpose and do not request unrelated credentials or perform hidden installs.
评估建议
This skill is documentation-only and appears coherent for migrating from Google Maps to Mapbox. It does reference using a Mapbox access token (client-side tokens typically start with pk.*) — ensure you use the appropriate public token on the frontend and keep any secret tokens on the server. Also review Mapbox billing limits for your expected map loads. Because there is no code executed or installs, the security risk is low; review the examples before copying them into production (especially how...
详细分析 ▾
用途与能力
Name/description (Google Maps → Mapbox migration) match the content: examples, API equivalents, and migration patterns. No unrelated binaries, credentials, or config paths are requested.
指令范围
SKILL.md and reference files only contain code examples and migration advice (map initialization, sources/layers, clustering, geocoding, etc.). There are no instructions to read system files, access unrelated environment variables, or send data to hidden endpoints.
安装机制
No install spec or executable code is present — this is documentation-only, so nothing is written to disk or downloaded during install.
凭证需求
The guide mentions Mapbox access tokens (expected for Mapbox usage) and suggests storing a public token in a front-end env var. No unrelated secrets or multiple credentials are requested.
持久化与权限
Skill is not always-enabled and does not request persistent system privileges or modify other skills; it is user-invocable documentation only.
安全有层次,运行前请审查代码。

License

MIT-0

可自由使用、修改和再分发,无需署名。

运行时依赖

无特殊依赖

版本

latestv1.0.02026/3/31

- Initial release of the Mapbox Google Maps Migration Skill. - Provides a comprehensive migration guide for developers moving from Google Maps Platform to Mapbox GL JS. - Includes API equivalents, common pattern translations, and a summary of core conceptual differences. - Presents practical examples for initializing maps, adding markers, popups, and handling map events. - Features a step-by-step migration strategy and tips for optimizing applications on Mapbox.

● 无害

安装命令 点击复制

官方npx clawhub@latest install mapbox-google-maps-migration
镜像加速npx clawhub@latest install mapbox-google-maps-migration --registry https://cn.clawhub-mirror.com

技能文档

Comprehensive guidance for migrating from Google Maps Platform to Mapbox GL JS. Provides API equivalents, pattern translations, and strategies for successful migration.

Core Philosophy Differences

Google Maps: Imperative & Object-Oriented

  • Create objects (Marker, Polygon, etc.)
  • Add to map with .setMap(map)
  • Update properties with setters
  • Heavy reliance on object instances

Mapbox GL JS: Declarative & Data-Driven

  • Add data sources
  • Define layers (visual representation)
  • Style with JSON
  • Update data, not object properties

Key Insight: Mapbox treats everything as data + styling, not individual objects.

Map Initialization

Google Maps

const map = new google.maps.Map(document.getElementById('map'), {
  center: { lat: 37.7749, lng: -122.4194 },
  zoom: 12,
  mapTypeId: 'roadmap' // or 'satellite', 'hybrid', 'terrain'
});

Mapbox GL JS

mapboxgl.accessToken = 'YOUR_MAPBOX_TOKEN';
const map = new mapboxgl.Map({
  container: 'map',
  style: 'mapbox://styles/mapbox/streets-v12', // or satellite-v9, outdoors-v12
  center: [-122.4194, 37.7749], // [lng, lat] - note the order!
  zoom: 12
});

Key Differences:

  • Coordinate order: Google uses {lat, lng}, Mapbox uses [lng, lat]
  • Authentication: Google uses API key in script tag, Mapbox uses access token in code
  • Styling: Google uses map types, Mapbox uses full style URLs

API Equivalents Reference

Map Methods

Google MapsMapbox GL JSNotes
map.setCenter(latLng)map.setCenter([lng, lat])Coordinate order reversed
map.getCenter()map.getCenter()Returns LngLat object
map.setZoom(zoom)map.setZoom(zoom)Same behavior
map.getZoom()map.getZoom()Same behavior
map.panTo(latLng)map.panTo([lng, lat])Animated pan
map.fitBounds(bounds)map.fitBounds([[lng,lat],[lng,lat]])Different bound format
map.setMapTypeId(type)map.setStyle(styleUrl)Completely different approach
map.getBounds()map.getBounds()Similar

Map Events

Google MapsMapbox GL JSNotes
google.maps.event.addListener(map, 'click', fn)map.on('click', fn)Simpler syntax
event.latLngevent.lngLatEvent property name
'center_changed''move' / 'moveend'Different event names
'zoom_changed''zoom' / 'zoomend'Different event names
'bounds_changed''moveend'No direct equivalent
'mousemove''mousemove'Same
'mouseout''mouseleave'Different name

Markers and Points

Simple Marker

Google Maps:

const marker = new google.maps.Marker({
  position: { lat: 37.7749, lng: -122.4194 },
  map: map,
  title: 'San Francisco',
  icon: 'custom-icon.png'
});

// Remove marker marker.setMap(null);

Mapbox GL JS:

// Create marker
const marker = new mapboxgl.Marker()
  .setLngLat([-122.4194, 37.7749])
  .setPopup(new mapboxgl.Popup().setText('San Francisco'))
  .addTo(map);

// Remove marker marker.remove();

Multiple Markers

Google Maps:

const markers = locations.map(
  (loc) =>
    new google.maps.Marker({
      position: { lat: loc.lat, lng: loc.lng },
      map: map
    })
);

Mapbox GL JS (Equivalent Approach):

// Same object-oriented approach
const markers = locations.map((loc) => new mapboxgl.Marker().setLngLat([loc.lng, loc.lat]).addTo(map));

Mapbox GL JS (Data-Driven Approach - Recommended for 100+ points):

// Add as GeoJSON source + layer (uses WebGL, not DOM)
map.addSource('points', {
  type: 'geojson',
  data: {
    type: 'FeatureCollection',
    features: locations.map((loc) => ({
      type: 'Feature',
      geometry: { type: 'Point', coordinates: [loc.lng, loc.lat] },
      properties: { name: loc.name }
    }))
  }
});

map.addLayer({ id: 'points-layer', type: 'circle', // or 'symbol' for icons source: 'points', paint: { 'circle-radius': 8, 'circle-color': '#ff0000' } });

Performance Advantage: Google Maps renders all markers as DOM elements (even when using the Data Layer), which becomes slow with 500+ markers. Mapbox's circle and symbol layers are rendered by WebGL, making them much faster for large datasets (1,000-10,000+ points). This is a significant advantage when building applications with many points.

Info Windows / Popups

Google Maps

const infowindow = new google.maps.InfoWindow({
  content: '

Title

Content

' });

marker.addListener('click', () => { infowindow.open(map, marker); });

Mapbox GL JS

// Option 1: Attach to marker
const marker = new mapboxgl.Marker()
  .setLngLat([-122.4194, 37.7749])
  .setPopup(new mapboxgl.Popup().setHTML('

Title

Content

')) .addTo(map);

// Option 2: On layer click (for data-driven markers) map.on('click', 'points-layer', (e) => { const coordinates = e.features[0].geometry.coordinates.slice(); const description = e.features[0].properties.description;

new mapboxgl.Popup().setLngLat(coordinates).setHTML(description).addTo(map); });

Migration Strategy

Step 1: Audit Current Implementation

Identify all Google Maps features you use:

  • [ ] Basic map with markers
  • [ ] Info windows/popups
  • [ ] Polygons/polylines
  • [ ] Geocoding
  • [ ] Directions
  • [ ] Clustering
  • [ ] Custom styling
  • [ ] Drawing tools
  • [ ] Street View (no Mapbox equivalent)
  • [ ] Other advanced features

Step 2: Set Up Mapbox




Step 3: Convert Core Map

Start with basic map initialization:

  • Replace new google.maps.Map() with new mapboxgl.Map()
  • Fix coordinate order (lat,lng -> lng,lat)
  • Update zoom/center

Step 4: Convert Features One by One

Prioritize by complexity:

  • Easy: Map controls, basic markers
  • Medium: Popups, polygons, lines
  • Complex: Clustering, custom styling, data updates

Step 5: Update Event Handlers

Change event syntax:

  • google.maps.event.addListener() -> map.on()
  • Update event property names (latLng -> lngLat)

Step 6: Optimize for Mapbox

Take advantage of Mapbox features:

  • Convert multiple markers to data-driven layers
  • Use clustering (built-in)
  • Leverage vector tiles for custom styling
  • Use expressions for dynamic styling

Step 7: Test Thoroughly

  • Cross-browser testing
  • Mobile responsiveness
  • Performance with real data volumes
  • Touch/gesture interactions

Gotchas and Common Issues

Coordinate Order

// Google Maps
{ lat: 37.7749, lng: -122.4194 }

// Mapbox (REVERSED!) [-122.4194, 37.7749]

Always double-check coordinate order!

Event Properties

// Google Maps
map.on('click', (e) => {
  console.log(e.latLng.lat(), e.latLng.lng());
});

// Mapbox map.on('click', (e) => { console.log(e.lngLat.lat, e.lngLat.lng); });

Timing Issues

// Google Maps - immediate
const marker = new google.maps.Marker({ map: map });

// Mapbox - wait for load map.on('load', () => { map.addSource(...); map.addLayer(...); });

Removing Features

// Google Maps
marker.setMap(null);

// Mapbox - must remove both map.removeLayer('layer-id'); map.removeSource('source-id');

Updating Data Without Flash

Never remove and re-add layers to update data — this reinitializes WebGL resources and causes a visible flash. Instead:

// ✅ Update data in place (no flash)
map.getSource('stores').setData(newGeoJSON);

// ✅ Filter existing data (GPU-side, fastest) map.setFilter('stores-layer', ['==', ['get', 'category'], 'coffee']);

// ❌ BAD: remove + re-add causes flash map.removeLayer('stores-layer'); map.removeSource('stores'); map.addSource('stores', { ... }); map.addLayer({ ... });

When NOT to Migrate

Consider staying with Google Maps if:

  • Street View is critical - Mapbox doesn't have equivalent
  • Tight Google Workspace integration - Places API deeply integrated
  • Already heavily optimized - Migration cost > benefits
  • Team expertise - Retraining costs too high
  • Short-term project - Not worth migration effort

Quick Reference: Side-by-Side Comparison

// GOOGLE MAPS
const map = new google.maps.Map(el, {
  center: { lat: 37.7749, lng: -122.4194 },
  zoom: 12
});

const marker = new google.maps.Marker({ position: { lat: 37.7749, lng: -122.4194 }, map: map });

google.maps.event.addListener(map, 'click', (e) => { console.log(e.latLng.lat(), e.latLng.lng()); });

// MAPBOX GL JS mapboxgl.accessToken = 'YOUR_TOKEN'; const map = new mapboxgl.Map({ container: el, center: [-122.4194, 37.7749], // REVERSED! zoom: 12, style: 'mapbox://styles/mapbox/streets-v12' });

const marker = new mapboxgl.Marker() .setLngLat([-122.4194, 37.7749]) // REVERSED! .addTo(map);

map.on('click', (e) => { console.log(e.lngLat.lat, e.lngLat.lng); });

Remember: lng, lat order in Mapbox!

Additional Resources

Integration with Other Skills

Works with:

  • mapbox-web-integration-patterns: Framework-specific migration guidance
  • mapbox-web-performance-patterns: Optimize after migration
  • mapbox-token-security: Secure your Mapbox tokens properly
  • mapbox-geospatial-operations: Use Mapbox's geospatial tools effectively
  • mapbox-search-patterns: Migrate geocoding/search functionality

Reference Files

The following reference files contain detailed migration guides for specific topics. Load them when working on those areas:

  • references/shapes-geocoding.md — Polygons, Polylines, Custom Icons, Geocoding
  • references/directions-controls.md — Directions/Routing, Controls
  • references/clustering-styling.md — Clustering, Styling/Appearance
  • references/data-performance.md — Data Updates, Performance, Common Migration Patterns (Store Locator, Drawing Tools, Heatmaps)
  • references/api-services.md — API Services Comparison, Pricing, Plugins, Framework Integration, Testing, Migration Checklist

To load a reference, read the file relative to this skill directory, e.g.:

Load references/shapes-geocoding.md

数据来源:ClawHub ↗ · 中文优化:龙虾技能库
OpenClaw 技能定制 / 插件定制 / 私有工作流定制

免费技能或插件可能存在安全风险,如需更匹配、更安全的方案,建议联系付费定制

了解定制服务