react中基于腾讯地图的地图选点,地址搜索逆向定位获取经纬度

react中基于腾讯地图的地图选点,地址搜索逆向定位获取经纬度

效果示例图

在这里插入图片描述
在这里插入图片描述

地图组件tencentMap/index.jsx

import { useEffect, useRef, useState } from "react";
import "./map.scss";

function loadTMap(key) {
  return new Promise((resolve, reject) => {
    if (typeof window.TMap !== "undefined") {
      resolve(window.TMap);
      return true;
    }
    window.onTMapCallback = function () {
      resolve(window.TMap);
      return true;
    };
    const script = document.createElement("script");
    script.type = "text/javascript";
    script.src = `https://map.qq.com/api/gljs?v=1.exp&key=${key}&callback=onTMapCallback&s=1&libraries=service`;
    script.onerror = reject;
    document.head.appendChild(script);
    return true;
  });
}

function TencentMap(props) {
  let mapInit = useRef(null);
  let Map = useRef(null);
  let markerLayer = useRef(null);

  let [keyword, setKeyword] = useState("");
  let [suggestionList, setSuggestionList] = useState([]);

  //初始化腾讯地图
  function initMap() {
    document.querySelector("#tencentContainer").innerHTML = "";
    mapInit.current = loadTMap("PZHBZ-G6A34-QV7UJ-X4QXK-YIMRK-RAFZS");
    mapInit.current.then((TMap) => {
      //定义map变量,调用TMap.Map构造函数创建地图容器
      Map.current = new TMap.Map(document.querySelector("#tencentContainer"), {
        zoom: 17, //设置地图缩放级别
      });
      //修改地图中心点
      Map.current.setCenter(new TMap.LatLng(31.230355, 121.47371));

      //创建并初始化MultiMarker(用于实现在地图中的点标注功能)
      markerLayer.current = new TMap.MultiMarker({
        id: "marker-layer",
        map: Map.current, //指定地图容器
        geometries: [],
      });

      //给地图设置点击事件
      Map.current.on("click", (evt) => {
        if (markerLayer.current) {
          markerLayer.current.setGeometries([]);
        }

        const lat = evt.latLng.getLat().toFixed(6);
        const lng = evt.latLng.getLng().toFixed(6);
        let location = new TMap.LatLng(lat, lng);
        // 创建一个正逆地址解析类
        const geocoder = new TMap.service.Geocoder();
        // 将给定的坐标位置转换为地址
        geocoder.getAddress({ location: location }).then((response) => {
          setKeyword(response.result.address);
          props.click({
            keyword: response.result.address,
            position: {
              lat: lat,
              lng: lng,
            },
          });
          markerLayer.current.add([
            {
              id: "1", //点标记唯一标识,后续如果有删除、修改位置等操作,都需要此id
              position: evt.latLng, //点标记坐标位置
            },
          ]);
        });
      });
    });
  }

  //根据输入值进行逆向定位
  function searchHandle(e) {
    let value = trim(e);
    if (value.length > 0) {
      setKeyword(value);
      searchSuggestionAPI(value);
    } else {
      setKeyword("");
    }
  }

  function searchSuggestionAPI(value) {
    mapInit.current.then((TMap) => {
      // 新建一个关键字输入提示类
      let suggest = new TMap.service.Suggestion({
        pageSize: 10, // 返回结果每页条目数
      });
      suggest
        .getSuggestions({
          keyword: value,
        })
        .then((result) => {
          // 以当前所输入关键字获取输入提示
          if (result.data.length > 0) {
            setSuggestionList(result.data);
          }
        })
        .catch((error) => {
          console.log("[error]", error);
        });
    });
  }

  //   点击选中下拉数据
  function selectSuggestionHandle(row) {
    mapInit.current.then((TMap) => {
      //修改地图中心点
      Map.current.setCenter(
        new TMap.LatLng(row.location.lat, row.location.lng)
      );
      if (markerLayer.current) {
        markerLayer.current.setGeometries([]);
      }
      setKeyword(row.address);
      props.click({
        keyword: row.address,
        position: {
          lat: row.location.lat,
          lng: row.location.lng,
        },
      });
      markerLayer.current.add([
        {
          id: "1", //点标记唯一标识,后续如果有删除、修改位置等操作,都需要此id
          position: new TMap.LatLng(row.location.lat, row.location.lng), //点标记坐标位置
        },
      ]);
      setSuggestionList([]);
    });
  }

  //防抖
  function debounce(fn, delay = 1000) {
    let timer = null;
    return function () {
      if (timer) {
        clearTimeout(timer);
      }
      timer = setTimeout(() => {
        fn.apply(this, arguments);
      }, delay);
    };
  }

  /**
   * 去除空格,type: 1-所有空格 2-前后空格 3-前空格 4-后空格
   */
  function trim(str, type) {
    str = str || "";
    type = type || 1;
    switch (type) {
      case 1:
        return str.replace(/\s+/g, "");
      case 2:
        return str.replace(/(^\s*)|(\s*$)/g, "");
      case 3:
        return str.replace(/(^\s*)/g, "");
      case 4:
        return str.replace(/(\s*$)/g, "");
      default:
        return str;
    }
  }

  useEffect(() => {
    initMap();
  }, []);

  return (
    <>
      <div className="tencentMap-wrap">
        <div className="tencent" id="tencentContainer"></div>
        <div className="tencent-search">
          <div className="search-header">
            <input
              type="text"
              placeholder="请输入地址"
              value={keyword}
              onChange={(e) => searchHandle(e.target.value)}
            />
          </div>
          {suggestionList.length > 0 ? (
            <ul className="suggestion-wrap">
              {suggestionList.map((item, index) => (
                <li
                  key={index}
                  className="suggestion-item"
                  onClick={() => {
                    selectSuggestionHandle(item);
                  }}
                >
                  {item.title}
                </li>
              ))}
            </ul>
          ) : (
            ""
          )}
        </div>
      </div>
    </>
  );
}
export default TencentMap;

样式map.scss

.tencentMap-wrap {
  width: 90%;
  margin: 12px auto;
  .tencent {
    width: 100%;
    height: 400px;
  }

  .tencent-search {
    width: 100%;
    margin-top: 12px;
    display: flex;
    flex-direction: column;
    position: relative;
    .search-header {
      width: 100%;
      position: relative;
      input,
      input:focus {
        border-radius: 4px;
        outline: none;
        padding: 0px 12px;
        border: 1px solid #dcdcdc;
        border-radius: 4px;
        width: 100%;
        height: 40px;
      }
      input::placeholder,
      input::-moz-placeholder,
      input::-webkit-input-placeholder {
        color: #999;
      }
    }

    .suggestion-wrap {
      border: 1px solid #dcdcdc;
      border-radius: 4px;
      width: 100%;
      position: absolute;
      left: 0px;
      top: 44px;
      background-color: #fff;
      box-shadow: 0px 0px 10px 0px rgba(0, 0, 0, 0.3);
      z-index: 9;
      padding: 12px 0px;
      display: flex;
      flex-direction: column;
      .suggestion-item {
        border-bottom: 1px solid #dcdcdc;
        width: 100%;
        cursor: pointer;
        padding: 12px 12px;
        font-size: 16px;
        color: #333;
      }
      .suggestion-item:last-child {
        border-bottom: 0px;
      }
      .suggestion-item:hover {
        background-color: rgba(220, 220, 220, 0.5);
      }
    }
  }
}

使用案例

import { useEffect } from "react";
import TencentMap from "../../components/tencentMap";

function Tencent() {
  function mapHandle(row) {
    console.log("[row]", row);
  }

  useEffect(() => {}, []);

  return (
    <>
      <TencentMap click={mapHandle} />
    </>
  );
}
export default Tencent;

腾讯地图Javascript API,功能扩展请参考官网

React项目引入Ant Design并集成腾讯地图(Tencent Map)可以分为以下几个步骤: 1. **安装依赖**: 首先,你需要安装`antd`库,如果你还没有安装,可以使用`npm`或`yarn`来安装: ``` npm install antd @tencent mapbox-gl-js // 或者 yarn add antd tencent-map ``` 2. **配置腾讯地图API**: 腾讯地图通常需要一个Key来进行地图功能的访问,注册并在官网申请一个地图API Key。将其放在项目的环境变量或者配置文件。 3. **引入组件**: 在React组件,导入需要的地图组件,比如`Map`: ```jsx import { Map } from '@ant-design/pro-components'; // 这里使用了Pro Components版本,如果是基础版则import从'tencent-map' ``` 4. **初始化地图**: 创建地图实例,并设置初始位置和缩放级别: ```jsx const initialLocation = { latitude: 39.9042, longitude: 116.4074 }; // 北京坐标作为示例 const mapConfig = { center: initialLocation, zoom: 11, }; const mapRef = useRef(null); function handleMapReady(mapInstance) { mapInstance.setCenter(initialLocation.longitude, initialLocation.latitude); // 设置心点 } return ( <div> <Map ref={mapRef} init={handleMapReady} mapStyle="dark" /> </div> ); ``` 5. **地点查询**: 使用腾讯地图提供的`Marker`组件标记特定地点,然后通过事件监听来处理查询: ```jsx const markerRef = useRef(null); useEffect(() => { if (markerRef.current) { markerRef.current.openInfoWindow({ content: '北京', }); } }, [markerRef]); const onSearch = async (keyword) => { const geocoder = new window.Tencent.maps.Geocoder(); try { const result = await geocoder.geocode({ key: 'your_api_key', location: keyword }); if (result && result.regeocode.addressComponent) { // 根据结果更新地图标记位置 const newLocation = result.regeocode.formattedAddress; setMarkerPosition(result.regeocode.location); } } catch (error) { console.error('Geocode failed:', error); } }; // 地图上添加点击事件监听地点查询 mapRef.current.on('click', () => { onSearch('输入您想查询的地址'); }); ``` 这里的`setMarkerPosition`用于设置`Marker`的位置。
评论 1
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值