高德爬取瓦片和vue2利用

王柳  金牌会员 | 2025-3-17 17:51:34 | 来自手机 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 993|帖子 993|积分 2979

1、渲染瓦片地点

  1. <template>
  2.   <div class="command-center">
  3.     <div id="mapContainer" ref="map" class="mapContainer"/>
  4.   </div>
  5. </template>
  6. <script>
  7. import Vue from 'vue'
  8. import L from 'leaflet'
  9. export default {
  10.   data() {
  11.     return {
  12.       zoom: 7,
  13.       center: [24.00000, 101.000000],
  14.       markerGroup: null,
  15.       boundaryGroup: null,
  16.     }
  17.   },
  18.   mounted() {
  19.     this.initMap()
  20.   },
  21.   beforeDestroy() {
  22.   },
  23.   methods: {
  24.     initMap() {
  25.       this.map = L.map(this.$refs.map, {
  26.         attributionControl: false,
  27.         zoomControl: false
  28.       })
  29.       this.map.setView(this.center, this.zoom)
  30.       //内网瓦片地址
  31.       let url = 'http://127.0.0.1:5000/tiles/{z}/{x}/{y}.png'
  32.       this.$L.tileLayer(url, {
  33.         minZoom: 7,
  34.         maxZoom: 12
  35.       }).addTo(this.map)
  36.       this.markerGroup = this.$L.layerGroup().addTo(this.map)
  37.       this.boundaryGroup = this.$L.layerGroup().addTo(this.map)
  38.       // 监听地图缩放级别
  39.       this.map.on('zoom', this.mapZoom)
  40.       // 绘制点
  41.       this.inputMarkers()
  42.       //初始化地图描边
  43.       this.miaobian()
  44.     },
  45.     miaobian() {
  46.       // yunnan 是地图json,里面包含了边界经纬度
  47.       const boundary = yunnan.features[0].geometry.coordinates[0][0].map(item => item.reverse())
  48.       const boundaryLayer = this.$L.polygon(boundary, {
  49.         color: '#366ef4',
  50.         weight: 4,
  51.         fillColor: '#ffffff00',
  52.         fillOpacity: 0
  53.       })
  54.       this.boundaryGroup.addLayer(boundaryLayer)
  55.     },
  56.     // 监听地图缩放
  57.     mapZoom() {
  58.       this.zoom = this.map.getZoom()
  59.     },
  60.     // 构建地图标记
  61.     async inputMarkers() {
  62.       //this.stations是地图标记数据
  63.       this.stations.forEach(item => {
  64.         const marker = this.$L.marker([item.lat, item.lng], {
  65.           icon: this.$L.icon({
  66.             iconUrl: require('../assets/图标.png'),
  67.             iconSize: [50, 50],
  68.             iconAnchor: [25, 50], // 图标锚点(默认在左下角)
  69.             popupAnchor: [0, -50]
  70.           })
  71.         })
  72.         marker.bindTooltip(item.name, {
  73.           permanent: true,
  74.           className: 'marker-label'
  75.         })
  76.         marker.on('click', (event) => {
  77.           this.stationMarkerClick(event, item, marker)
  78.         })
  79.         this.markerGroup.addLayer(marker)
  80.       })
  81.     },
  82.     // 点击事件
  83.     async stationMarkerClick(event, data, marker) {
  84.     },
  85.     // 获取电站列表
  86.     async requestList() {
  87.       try {
  88.         const params = {}
  89.         if (this.currentArea) {
  90.           params.city = this.currentArea.name
  91.           if (this.stationListAll && this.stationListAll.length > 0) {
  92.             //直接遍历
  93.             let stationList = [];
  94.             for (var i = 0; i < this.stationListAll.length; i++) {
  95.               if (this.stationListAll[i].city == params.city) {
  96.                 stationList.push(this.stationListAll[i]);
  97.               }
  98.             }
  99.             this.stationList = stationList
  100.           } else {
  101.             const res = await selectYnsxsdDianzhanInfo(params);
  102.             this.stationList = res.data || []
  103.           }
  104.         } else {
  105.           const res = await selectYnsxsdDianzhanInfo(params);
  106.           this.stationList = res.data || [];
  107.           this.stationListAll = JSON.parse(JSON.stringify(res.data));//防止引用
  108.         }
  109.       } catch (err) {
  110.         this.$message.error(err.toString() )
  111.         console.log(err)
  112.       }
  113.     },
  114.   }
  115. }
  116. </script>
  117. <style lang="scss" scoped>
  118. </style>
复制代码
1、瓦片抓取和配置

利用python 检测,存在则从文件夹获取,不存在则从网络下载。
如果当地摆设则访问地点为 http://127.0.0.1:5000/tiles/1/1/1.png
第一次可以先抓取再举行摆设到nginx内网
  1. import os
  2. import requests
  3. from flask import Flask, request, Response
  4. app = Flask(__name__)
  5. # 定义tiles文件夹路径
  6. TILES_DIR = os.path.join(os.path.dirname(__file__), 'tiles')
  7. @app.route('/tiles/<int:z>/<int:x>/<int:y>.png', methods=['GET'])
  8. def get_tile(z, x, y):
  9.     # 构造本地图片路径
  10.     tile_path = os.path.join(TILES_DIR, str(z), str(x), f"{y}.png")
  11.     # 如果图片存在,直接读取并返回
  12.     if os.path.exists(tile_path):
  13.         print('图片存在,直接读取并返回')
  14.         with open(tile_path, 'rb') as f:
  15.             return Response(f.read(), content_type='image/png')
  16.     # 如果图片不存在,从URL下载并保存
  17.     print('图片不存在,从URL下载并保存')
  18.     print(tile_path)
  19.     data = fetch_data(x, y, z)
  20.     if isinstance(data, bytes):
  21.         # 确保文件夹存在
  22.         os.makedirs(os.path.dirname(tile_path), exist_ok=True)
  23.         # 保存图片到本地
  24.         with open(tile_path, 'wb') as f:
  25.             f.write(data)
  26.         return Response(data, content_type='image/png')
  27.     else:
  28.         return data
  29. def fetch_data(x, y, z):
  30.     url = f'https://webrd04.is.autonavi.com/appmaptile?lang=zh_cn&size=1&scale=1&style=7&x={x}&y={y}&z={z}'
  31.     response = requests.get(url)
  32.     if response.status_code == 200:
  33.         return response.content
  34.     else:
  35.         return f"请求失败,状态码: {response.status_code}"
  36. if __name__ == '__main__':
  37.     app.run(host='0.0.0.0', port=5000)
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

王柳

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表