【Flutter】高德舆图接入Android/IOS(定位&舆图)

种地  论坛元老 | 2025-3-12 10:24:39 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 1045|帖子 1045|积分 3135

定位

Android

参考链接

官方文档
创建应用



创建Key


输入Key的名称
服务平台选择Android平台
接下里获取SHA1

PackageName输入项目的包名

打开Android目次,并生成签名文件

假如存在签名文件,如下图

若没有签名文件,则需要Create New 创建新的签名文件

填写密码,别名、文件位置等信息

创建完后,会发现目次下有签名文件,可以移到app目次下

配置签名文件

  1.     signingConfigs {
  2.         release {
  3.             //keystore中key的别名
  4.             keyAlias 'key0'
  5.             //keystore中key的密码
  6.             keyPassword '123456'
  7.             //keystore的文件路径,可以是绝对路径也可以是相对路径
  8.             storeFile file('./deman_mobo.jks')
  9.             //keystore的密码l
  10.             storePassword '123456'
  11.         }
  12.     }
  13.     buildTypes {
  14.         release {
  15.             // TODO: Add your own signing config for the release build.
  16.             // Signing with the debug keys for now, so `flutter run --release` works.
  17.             signingConfig signingConfigs.release
  18.             minifyEnabled true //删除无用代码
  19.             shrinkResources true //删除无用资源
  20.             proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
  21.         }
  22.         debug {
  23.             signingConfig signingConfigs.release
  24.             debuggable true
  25.         }
  26.     }
复制代码
获取签名文件的SHA1

  1. keytool -list -v -keystore ./gaode_key.jks
复制代码
引入依赖


  1. dependencies {
  2.     implementation('com.amap.api:location:5.6.0')
  3. }
复制代码
Flutter 配置项目


  1.   amap_flutter_location: ^3.0.0
  2.   permission_handler: ^11.3.0
复制代码
说明权限


  1.     <!--允许访问网络,必选权限-->
  2.     <uses-permission android:name="android.permission.INTERNET" />
  3.     <!--允许获取精确位置,精准定位必选-->
  4.     <uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" />
  5.     <!--允许获取粗略位置,粗略定位必选-->
  6.     <uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION" />
  7.     <!--允许获取设备和运营商信息,用于问题排查和网络定位(无gps情况下的定位),若需网络定位功能则必选-->
  8.     <uses-permission android:name="android.permission.READ_PHONE_STATE" />
  9.     <!--允许获取网络状态,用于网络定位(无gps情况下的定位),若需网络定位功能则必选-->
  10.     <uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" />
  11.     <!--允许获取wifi网络信息,用于网络定位(无gps情况下的定位),若需网络定位功能则必选-->
  12.     <uses-permission android:name="android.permission.ACCESS_WIFI_STATE" />
  13.     <!--允许获取wifi状态改变,用于网络定位(无gps情况下的定位),若需网络定位功能则必选-->
  14.     <uses-permission android:name="android.permission.CHANGE_WIFI_STATE" />
  15.     <!--后台获取位置信息,若需后台定位则必选-->
  16.     <uses-permission android:name="android.permission.ACCESS_BACKGROUND_LOCATION" />
  17.     <!--用于申请调用A-GPS模块,卫星定位加速-->
  18.     <uses-permission android:name="android.permission.ACCESS_LOCATION_EXTRA_COMMANDS" />
  19.     <!--允许写设备缓存,用于问题排查-->
  20.     <uses-permission android:name="android.permission.WRITE_SETTINGS" />
  21.     <!--允许写入扩展存储,用于写入缓存定位数据-->
  22.     <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
  23.     <!--允许读设备等信息,用于问题排查-->
  24.     <uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" />
复制代码
配置服务

  1. <!-- 配置定位Service -->
  2.         <service android:name="com.amap.api.location.APSService" />
复制代码

测试代码

  1. import 'dart:async';
  2. import 'dart:io';
  3. import 'package:amap_flutter_location/amap_flutter_location.dart';
  4. import 'package:amap_flutter_location/amap_location_option.dart';
  5. import 'package:flutter/material.dart';
  6. import 'package:permission_handler/permission_handler.dart';
  7. void main() {
  8.   runApp(const MyApp());
  9. }
  10. class MyApp extends StatelessWidget {
  11.   const MyApp({super.key});
  12.   @override
  13.   Widget build(BuildContext context) {
  14.     return MaterialApp(
  15.       title: 'Flutter Demo',
  16.       theme: ThemeData(
  17.         colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
  18.         useMaterial3: true,
  19.       ),
  20.       home: HomePage(),
  21.     );
  22.   }
  23. }
  24. class HomePage extends StatefulWidget {
  25.   const HomePage({super.key});
  26.   @override
  27.   State<HomePage> createState() => _HomePageState();
  28. }
  29. class _HomePageState extends State<HomePage> {
  30.   final AMapFlutterLocation flutterLocation = AMapFlutterLocation();
  31.   final AMapLocationOption aMapLocationOption = AMapLocationOption(
  32.     needAddress: true,
  33.     geoLanguage: GeoLanguage.DEFAULT,
  34.     onceLocation: false,
  35.     locationMode: AMapLocationMode.Hight_Accuracy,
  36.     locationInterval: 2000,
  37.     pausesLocationUpdatesAutomatically: false,
  38.     desiredAccuracy: DesiredAccuracy.Best,
  39.     desiredLocationAccuracyAuthorizationMode:
  40.         AMapLocationAccuracyAuthorizationMode.FullAccuracy,
  41.     distanceFilter: -1,
  42.   );
  43.   late final StreamSubscription<Map<String, Object>> subscription;
  44.   late int count = 0;
  45.   @override
  46.   void initState() {
  47.     AMapFlutterLocation.updatePrivacyShow(true, true);
  48.     AMapFlutterLocation.updatePrivacyAgree(true);
  49.     requestPermission();
  50.     AMapFlutterLocation.setApiKey(
  51.       "e51a737b3742762791f3c89f4dc61e6d",
  52.       "cb341ecb2fb63ff6965c62a009979f29",
  53.     );
  54.     if (Platform.isIOS) {
  55.       requestAccuracyAuthorization();
  56.     }
  57.     subscription = flutterLocation.onLocationChanged().listen((event) {
  58.       print(event.toString());
  59.     });
  60.     super.initState();
  61.   }
  62.   @override
  63.   void dispose() {
  64.     subscription.cancel();
  65.     flutterLocation.destroy();
  66.     super.dispose();
  67.   }
  68.   @override
  69.   Widget build(BuildContext context) {
  70.     return Scaffold(
  71.       body: Center(
  72.         child: Column(
  73.           mainAxisSize: MainAxisSize.min,
  74.           children: [
  75.             ElevatedButton(
  76.               onPressed: () {
  77.                 flutterLocation.setLocationOption(aMapLocationOption);
  78.                 Timer.periodic(const Duration(seconds: 1), (timer) {
  79.                   count++;
  80.                   print("定位序列号$count");
  81.                   flutterLocation.startLocation();
  82.                 });
  83.               },
  84.               child: Text("开始定位"),
  85.             ),
  86.             ElevatedButton(
  87.               onPressed: () {
  88.                 flutterLocation.stopLocation();
  89.               },
  90.               child: Text("停止定位"),
  91.             ),
  92.           ],
  93.         ),
  94.       ),
  95.     );
  96.   }
  97.   /// 动态申请定位权限
  98.   void requestPermission() async {
  99.     bool hasLocationWhenInUsePermission =
  100.         await requestIosLocationWhenInUserPermission();
  101.     if (hasLocationWhenInUsePermission) {
  102.       bool hasLocationAlwaysWhenInUsePermission =
  103.           await requestIosLocationAlwaysWhenInUserPermission();
  104.       if (hasLocationAlwaysWhenInUsePermission) {
  105.       } else {}
  106.     } else {}
  107.   }
  108.   /// 申请定位权限
  109.   Future<bool> requestLocationPermission() async {
  110.     var status = await Permission.location.status;
  111.     if (status == PermissionStatus.granted) {
  112.       return true;
  113.     } else {
  114.       status = await Permission.location.request();
  115.       if (status == PermissionStatus.granted) {
  116.         return true;
  117.       } else {
  118.         return false;
  119.       }
  120.     }
  121.   }
  122.   Future<bool> requestIosLocationPermission() async {
  123.     var status = await Permission.location.status;
  124.     if (status == PermissionStatus.granted) {
  125.       return true;
  126.     } else {
  127.       status = await Permission.location.request();
  128.       if (status == PermissionStatus.granted) {
  129.         return true;
  130.       } else {
  131.         return false;
  132.       }
  133.     }
  134.   }
  135.   Future<bool> requestIosLocationWhenInUserPermission() async {
  136.     var status = await Permission.locationWhenInUse.status;
  137.     if (status == PermissionStatus.granted) {
  138.       return true;
  139.     } else {
  140.       status = await Permission.locationWhenInUse.request();
  141.       if (status == PermissionStatus.granted) {
  142.         return true;
  143.       } else {
  144.         return false;
  145.       }
  146.     }
  147.   }
  148.   Future<bool> requestIosLocationAlwaysWhenInUserPermission() async {
  149.     var status = await Permission.locationAlways.status;
  150.     if (status == PermissionStatus.granted) {
  151.       return true;
  152.     } else {
  153.       status = await Permission.locationAlways.request();
  154.       print("Permission.locationAlways - $status");
  155.       if (status == PermissionStatus.granted) {
  156.         return true;
  157.       } else {
  158.         return false;
  159.       }
  160.     }
  161.   }
  162.   void requestAccuracyAuthorization() async {
  163.     AMapAccuracyAuthorization currentAccuracyAuthorization =
  164.         await flutterLocation.getSystemAccuracyAuthorization();
  165.     if (currentAccuracyAuthorization ==
  166.         AMapAccuracyAuthorization.AMapAccuracyAuthorizationFullAccuracy) {
  167.       print("精确定位类型");
  168.     } else if (currentAccuracyAuthorization ==
  169.         AMapAccuracyAuthorization.AMapAccuracyAuthorizationReducedAccuracy) {
  170.       print("模糊定位类型");
  171.     } else {
  172.       print("未知定位类型");
  173.     }
  174.   }
  175. }
复制代码
运行结果


IOS

创建Key


Bundle ID为包名

配置Podfile


  1. config.build_settings['GCC_PREPROCESSOR_DEFINITIONS'] ||= [
  2.           '$(inherited)',
  3.           'PERMISSION_LOCATION=1',
  4.         ]
复制代码
配置info.plist

权限参考官方文档
下面是按照后台定位的标准来配置的,就是APP在后台,也能定位。

  1.         <key>NSLocationTemporaryUsageDescriptionDictionary</key>
  2.     <dict>
  3.         <key>AnotherUsageDescription</key>
  4.         <string>This app needs accurate location so it can show you relevant results.</string>
  5.         <key>ExampleUsageDescription</key>
  6.         <string>This app needs accurate location so it can verify that you are in a supported region.</string>
  7.     </dict>
  8.         <key>NSLocationAlwaysUsageDescription</key>
  9.         <string>can I has location always?</string>
  10.         <key>NSLocationWhenInUseUsageDescription</key>
  11.         <string>need location when in use?</string>
  12.         <key>NSLocationAlwaysAndWhenInUseUsageDescription</key>
  13.         <string>always and when in use!</string>
  14.         <key>NSLocationUsageDescription</key>
  15.         <string>older devices need location.</string>
复制代码
权限对应



拒绝了上面的这个权限,那就没办法后台定位了

其余几个权限说明也加上,点我检察参考链接

Background Mode



勾上location updates
测试代码

  1. import 'dart:async';
  2. import 'dart:io';
  3. import 'package:amap_flutter_location/amap_flutter_location.dart';
  4. import 'package:amap_flutter_location/amap_location_option.dart';
  5. import 'package:flutter/material.dart';
  6. import 'package:permission_handler/permission_handler.dart';
  7. void main() {
  8.   runApp(const MyApp());
  9. }
  10. class MyApp extends StatelessWidget {
  11.   const MyApp({super.key});
  12.   @override
  13.   Widget build(BuildContext context) {
  14.     return MaterialApp(
  15.       title: 'Flutter Demo',
  16.       theme: ThemeData(
  17.         colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
  18.         useMaterial3: true,
  19.       ),
  20.       home: HomePage(),
  21.     );
  22.   }
  23. }
  24. class HomePage extends StatefulWidget {
  25.   const HomePage({super.key});
  26.   @override
  27.   State<HomePage> createState() => _HomePageState();
  28. }
  29. class _HomePageState extends State<HomePage> {
  30.   final AMapFlutterLocation flutterLocation = AMapFlutterLocation();
  31.   final AMapLocationOption aMapLocationOption = AMapLocationOption(
  32.     needAddress: true,
  33.     geoLanguage: GeoLanguage.DEFAULT,
  34.     onceLocation: false,
  35.     locationMode: AMapLocationMode.Hight_Accuracy,
  36.     locationInterval: 2000,
  37.     pausesLocationUpdatesAutomatically: false,
  38.     desiredAccuracy: DesiredAccuracy.Best,
  39.     desiredLocationAccuracyAuthorizationMode:
  40.         AMapLocationAccuracyAuthorizationMode.FullAccuracy,
  41.     distanceFilter: -1,
  42.   );
  43.   late final StreamSubscription<Map<String, Object>> subscription;
  44.   late int count = 0;
  45.   @override
  46.   void initState() {
  47.     AMapFlutterLocation.updatePrivacyShow(true, true);
  48.     AMapFlutterLocation.updatePrivacyAgree(true);
  49.     requestPermission();
  50.     AMapFlutterLocation.setApiKey(
  51.       "e51a737b3742762791f3c89f4dc61e6d",
  52.       "cb341ecb2fb63ff6965c62a009979f29",
  53.     );
  54.     if (Platform.isIOS) {
  55.       requestAccuracyAuthorization();
  56.     }
  57.     subscription = flutterLocation.onLocationChanged().listen((event) {
  58.       print(event.toString());
  59.     });
  60.     super.initState();
  61.   }
  62.   @override
  63.   void dispose() {
  64.     subscription.cancel();
  65.     flutterLocation.destroy();
  66.     super.dispose();
  67.   }
  68.   @override
  69.   Widget build(BuildContext context) {
  70.     return Scaffold(
  71.       body: Center(
  72.         child: Column(
  73.           mainAxisSize: MainAxisSize.min,
  74.           children: [
  75.             ElevatedButton(
  76.               onPressed: () {
  77.                 flutterLocation.setLocationOption(aMapLocationOption);
  78.                 Timer.periodic(const Duration(seconds: 1), (timer) {
  79.                   count++;
  80.                   print("定位序列号$count");
  81.                   flutterLocation.startLocation();
  82.                 });
  83.               },
  84.               child: Text("开始定位"),
  85.             ),
  86.             ElevatedButton(
  87.               onPressed: () {
  88.                 flutterLocation.stopLocation();
  89.               },
  90.               child: Text("停止定位"),
  91.             ),
  92.           ],
  93.         ),
  94.       ),
  95.     );
  96.   }
  97.   /// 动态申请定位权限
  98.   void requestPermission() async {
  99.     bool hasLocationWhenInUsePermission =
  100.         await requestIosLocationWhenInUserPermission();
  101.     if (hasLocationWhenInUsePermission) {
  102.       bool hasLocationAlwaysWhenInUsePermission =
  103.           await requestIosLocationAlwaysWhenInUserPermission();
  104.       if (hasLocationAlwaysWhenInUsePermission) {
  105.       } else {}
  106.     } else {}
  107.   }
  108.   /// 申请定位权限
  109.   Future<bool> requestLocationPermission() async {
  110.     var status = await Permission.location.status;
  111.     if (status == PermissionStatus.granted) {
  112.       return true;
  113.     } else {
  114.       status = await Permission.location.request();
  115.       if (status == PermissionStatus.granted) {
  116.         return true;
  117.       } else {
  118.         return false;
  119.       }
  120.     }
  121.   }
  122.   Future<bool> requestIosLocationPermission() async {
  123.     var status = await Permission.location.status;
  124.     if (status == PermissionStatus.granted) {
  125.       return true;
  126.     } else {
  127.       status = await Permission.location.request();
  128.       if (status == PermissionStatus.granted) {
  129.         return true;
  130.       } else {
  131.         return false;
  132.       }
  133.     }
  134.   }
  135.   Future<bool> requestIosLocationWhenInUserPermission() async {
  136.     var status = await Permission.locationWhenInUse.status;
  137.     if (status == PermissionStatus.granted) {
  138.       return true;
  139.     } else {
  140.       status = await Permission.locationWhenInUse.request();
  141.       if (status == PermissionStatus.granted) {
  142.         return true;
  143.       } else {
  144.         return false;
  145.       }
  146.     }
  147.   }
  148.   Future<bool> requestIosLocationAlwaysWhenInUserPermission() async {
  149.     var status = await Permission.locationAlways.status;
  150.     if (status == PermissionStatus.granted) {
  151.       return true;
  152.     } else {
  153.       status = await Permission.locationAlways.request();
  154.       print("Permission.locationAlways - $status");
  155.       if (status == PermissionStatus.granted) {
  156.         return true;
  157.       } else {
  158.         return false;
  159.       }
  160.     }
  161.   }
  162.   void requestAccuracyAuthorization() async {
  163.     AMapAccuracyAuthorization currentAccuracyAuthorization =
  164.         await flutterLocation.getSystemAccuracyAuthorization();
  165.     if (currentAccuracyAuthorization ==
  166.         AMapAccuracyAuthorization.AMapAccuracyAuthorizationFullAccuracy) {
  167.       print("精确定位类型");
  168.     } else if (currentAccuracyAuthorization ==
  169.         AMapAccuracyAuthorization.AMapAccuracyAuthorizationReducedAccuracy) {
  170.       print("模糊定位类型");
  171.     } else {
  172.       print("未知定位类型");
  173.     }
  174.   }
  175. }
复制代码
运行结果


舆图

官方文档
引入插件

amap_flutter_map插件地点
amap_flutter_base插件地点
Android

引入依赖


  1. implementation('com.amap.api:3dmap:latest.integration')
复制代码
测试代码(表现舆图)

  1. import 'package:amap_flutter_map/amap_flutter_map.dart';
  2. import 'package:amap_flutter_base/amap_flutter_base.dart';
  3. import 'package:flutter/material.dart';
  4. void main() {
  5.   runApp(const MyApp());
  6. }
  7. class MyApp extends StatelessWidget {
  8.   const MyApp({super.key});
  9.   @override
  10.   Widget build(BuildContext context) {
  11.     return const MaterialApp(
  12.       title: 'Flutter Demo',
  13.       home: HomePage(),
  14.     );
  15.   }
  16. }
  17. class HomePage extends StatefulWidget {
  18.   const HomePage({super.key});
  19.   @override
  20.   State<HomePage> createState() => _HomePageState();
  21. }
  22. class _HomePageState extends State<HomePage> {
  23.   late AMapController _mapController;
  24.   late AMapWidget mapWidget;
  25.   @override
  26.   void initState() {
  27.     mapWidget = AMapWidget(
  28.       apiKey: const AMapApiKey(
  29.         iosKey: "cb341ecb2fb63ff6965c62a009979f29",
  30.         androidKey: "e51a737b3742762791f3c89f4dc61e6d",
  31.       ),
  32.       privacyStatement: const AMapPrivacyStatement(
  33.         hasContains: true,
  34.         hasShow: true,
  35.         hasAgree: true,
  36.       ),
  37.       onMapCreated: onMapCreated,
  38.     );
  39.     super.initState();
  40.   }
  41.   @override
  42.   void dispose() {
  43.     super.dispose();
  44.   }
  45.   @override
  46.   Widget build(BuildContext context) {
  47.     return Scaffold(
  48.       body: SizedBox(
  49.         height: MediaQuery.of(context).size.height,
  50.         width: MediaQuery.of(context).size.width,
  51.         child: Stack(
  52.           children: [
  53.             mapWidget,
  54.             Positioned(
  55.               right: 10,
  56.               bottom: 10,
  57.               child: FutureBuilder<String?>(
  58.                 future: getApprovalNumber(),
  59.                 builder: (ctx, snapshot) {
  60.                   return Column(
  61.                     children: [
  62.                       Text("${snapshot.data}"),
  63.                     ],
  64.                   );
  65.                 },
  66.               ),
  67.             ),
  68.           ],
  69.         ),
  70.       ),
  71.     );
  72.   }
  73.   void onMapCreated(AMapController controller) {
  74.     CameraUpdate cameraUpdate = CameraUpdate.newCameraPosition(
  75.       const CameraPosition(
  76.         target: LatLng(30, 121.473658),
  77.         zoom: 10,
  78.         tilt: 30,
  79.         bearing: 0,
  80.       ),
  81.     );
  82.     controller.moveCamera(cameraUpdate);
  83.     setState(() {
  84.       _mapController = controller;
  85.     });
  86.   }
  87.   Future<String?> getApprovalNumber() async {
  88.     // 普通地图审图号
  89.     String? mapContentApprovalNumber =
  90.         await _mapController.getMapContentApprovalNumber();
  91.     // // 卫星地图审图号
  92.     // String? satelliteImageApprovalNumber =
  93.     //     await _mapController.getSatelliteImageApprovalNumber();
  94.     return mapContentApprovalNumber;
  95.   }
  96. }
复制代码
运行结果


舆图标点

舆图标点参考文档
测试代码(舆图标点)

  1. import 'package:amap_flutter_map/amap_flutter_map.dart';
  2. import 'package:amap_flutter_base/amap_flutter_base.dart';
  3. import 'package:flutter/material.dart';
  4. import 'package:flutter/services.dart';
  5. import 'dart:ui' as ui;
  6. void main() {
  7.   runApp(const MyApp());
  8. }
  9. class MyApp extends StatelessWidget {
  10.   const MyApp({super.key});
  11.   @override
  12.   Widget build(BuildContext context) {
  13.     return const MaterialApp(
  14.       title: 'Flutter Demo',
  15.       home: HomePage(),
  16.     );
  17.   }
  18. }
  19. class HomePage extends StatefulWidget {
  20.   const HomePage({super.key});
  21.   @override
  22.   State<HomePage> createState() => _HomePageState();
  23. }
  24. class _HomePageState extends State<HomePage> {
  25.   late AMapController _mapController;
  26.   late Map<String, Marker> markerMap;
  27.   late double nowLatitude;
  28.   late double nowLongitude;
  29.   late AMapApiKey aMapApiKey;
  30.   late AMapPrivacyStatement aMapPrivacyStatement;
  31.   @override
  32.   void initState() {
  33.     markerMap = {};
  34.     nowLatitude = 30;
  35.     nowLongitude = 121.473658;
  36.     aMapApiKey = const AMapApiKey(
  37.       iosKey: "cb341ecb2fb63ff6965c62a009979f29",
  38.       androidKey: "e51a737b3742762791f3c89f4dc61e6d",
  39.     );
  40.     aMapPrivacyStatement = const AMapPrivacyStatement(
  41.       hasContains: true,
  42.       hasShow: true,
  43.       hasAgree: true,
  44.     );
  45.     super.initState();
  46.   }
  47.   @override
  48.   void dispose() {
  49.     super.dispose();
  50.   }
  51.   @override
  52.   Widget build(BuildContext context) {
  53.     return Scaffold(
  54.       body: SizedBox(
  55.         height: MediaQuery.of(context).size.height,
  56.         width: MediaQuery.of(context).size.width,
  57.         child: Stack(
  58.           children: [
  59.             AMapWidget(
  60.               apiKey: aMapApiKey,
  61.               privacyStatement: aMapPrivacyStatement,
  62.               onMapCreated: onMapCreated,
  63.               markers: Set.of(markerMap.values),
  64.             ),
  65.             Positioned(
  66.               right: 10,
  67.               bottom: 10,
  68.               child: FutureBuilder<String?>(
  69.                 future: getApprovalNumber(),
  70.                 builder: (ctx, snapshot) {
  71.                   return Column(
  72.                     children: [
  73.                       Text("${snapshot.data}"),
  74.                     ],
  75.                   );
  76.                 },
  77.               ),
  78.             ),
  79.           ],
  80.         ),
  81.       ),
  82.     );
  83.   }
  84.   void onMapCreated(AMapController controller) {
  85.     CameraUpdate cameraUpdate = CameraUpdate.newCameraPosition(
  86.       CameraPosition(
  87.         target: LatLng(nowLatitude, nowLongitude),
  88.         zoom: 10,
  89.         tilt: 30,
  90.         bearing: 0,
  91.       ),
  92.     );
  93.     controller.moveCamera(cameraUpdate);
  94.     setState(() {
  95.       _mapController = controller;
  96.     });
  97.     getMarker(
  98.       nowLatitude,
  99.       nowLongitude,
  100.       image: "assets/images/my_position.png",
  101.       title: "我",
  102.     );
  103.   }
  104.   Future<String?> getApprovalNumber() async {
  105.     // 普通地图审图号
  106.     String? mapContentApprovalNumber =
  107.         await _mapController.getMapContentApprovalNumber();
  108.     // // 卫星地图审图号
  109.     // String? satelliteImageApprovalNumber =
  110.     //     await _mapController.getSatelliteImageApprovalNumber();
  111.     return mapContentApprovalNumber;
  112.   }
  113.   Future<void> getMarker(
  114.     double latitude,
  115.     double longitude, {
  116.     String? image,
  117.     String? title,
  118.     String? snippet,
  119.   }) async {
  120.     LatLng position = LatLng(latitude, longitude);
  121.     Marker marker = Marker(
  122.       onTap: (s) {
  123.         print(s);
  124.       },
  125.       infoWindow: InfoWindow(
  126.         title: title,
  127.         snippet: snippet,
  128.       ),
  129.       position: position,
  130.       icon: image != null
  131.           ? await getBitmapDescriptorFromAssetBytes(image, 100, 100)
  132.           : BitmapDescriptor.defaultMarker,
  133.     );
  134.     markerMap[marker.id] = marker;
  135.     setState(() {});
  136.   }
  137.   Future<BitmapDescriptor> getBitmapDescriptorFromAssetBytes(
  138.     String path,
  139.     double width,
  140.     double height,
  141.   ) async {
  142.     var imageFile = await rootBundle.load(path);
  143.     var pictureRecorder = ui.PictureRecorder();
  144.     var canvas = Canvas(pictureRecorder);
  145.     var imageUint8List = imageFile.buffer.asUint8List();
  146.     var codec = await ui.instantiateImageCodec(imageUint8List);
  147.     var imageFI = await codec.getNextFrame();
  148.     paintImage(
  149.       canvas: canvas,
  150.       rect: Rect.fromLTWH(0, 0, width.toDouble(), height.toDouble()),
  151.       image: imageFI.image,
  152.       filterQuality: FilterQuality.medium,
  153.     );
  154.     var image = await pictureRecorder
  155.         .endRecording()
  156.         .toImage(width.toInt(), height.toInt());
  157.     var data = await image.toByteData(format: ui.ImageByteFormat.png);
  158.     return BitmapDescriptor.fromBytes(data!.buffer.asUint8List());
  159.   }
  160. }
复制代码
运行结果


Ios

配置pod

按照上面的步骤,用Xcode打开ios目次

  1.   pod 'AMapLocation'
  2.   pod 'AMap3DMap'
复制代码
最好加上,不加可能会在打包时堕落
加上后pod install

另有pod repo update也要试试(遇到一些bug时)

以及

测试代码(同Android)

  1. import 'package:amap_flutter_map/amap_flutter_map.dart';
  2. import 'package:amap_flutter_base/amap_flutter_base.dart';
  3. import 'package:flutter/material.dart';
  4. import 'package:flutter/services.dart';
  5. import 'dart:ui' as ui;
  6. void main() {
  7.   runApp(const MyApp());
  8. }
  9. class MyApp extends StatelessWidget {
  10.   const MyApp({super.key});
  11.   @override
  12.   Widget build(BuildContext context) {
  13.     return const MaterialApp(
  14.       title: 'Flutter Demo',
  15.       home: HomePage(),
  16.     );
  17.   }
  18. }
  19. class HomePage extends StatefulWidget {
  20.   const HomePage({super.key});
  21.   @override
  22.   State<HomePage> createState() => _HomePageState();
  23. }
  24. class _HomePageState extends State<HomePage> {
  25.   late AMapController _mapController;
  26.   late Map<String, Marker> markerMap;
  27.   late double nowLatitude;
  28.   late double nowLongitude;
  29.   late AMapApiKey aMapApiKey;
  30.   late AMapPrivacyStatement aMapPrivacyStatement;
  31.   @override
  32.   void initState() {
  33.     markerMap = {};
  34.     nowLatitude = 30;
  35.     nowLongitude = 121.473658;
  36.     aMapApiKey = const AMapApiKey(
  37.       iosKey: "cb341ecb2fb63ff6965c62a009979f29",
  38.       androidKey: "e51a737b3742762791f3c89f4dc61e6d",
  39.     );
  40.     aMapPrivacyStatement = const AMapPrivacyStatement(
  41.       hasContains: true,
  42.       hasShow: true,
  43.       hasAgree: true,
  44.     );
  45.     super.initState();
  46.   }
  47.   @override
  48.   void dispose() {
  49.     super.dispose();
  50.   }
  51.   @override
  52.   Widget build(BuildContext context) {
  53.     return Scaffold(
  54.       body: SizedBox(
  55.         height: MediaQuery.of(context).size.height,
  56.         width: MediaQuery.of(context).size.width,
  57.         child: Stack(
  58.           children: [
  59.             AMapWidget(
  60.               apiKey: aMapApiKey,
  61.               privacyStatement: aMapPrivacyStatement,
  62.               onMapCreated: onMapCreated,
  63.               markers: Set.of(markerMap.values),
  64.             ),
  65.             Positioned(
  66.               right: 10,
  67.               bottom: 10,
  68.               child: FutureBuilder<String?>(
  69.                 future: getApprovalNumber(),
  70.                 builder: (ctx, snapshot) {
  71.                   return Column(
  72.                     children: [
  73.                       Text("${snapshot.data}"),
  74.                     ],
  75.                   );
  76.                 },
  77.               ),
  78.             ),
  79.           ],
  80.         ),
  81.       ),
  82.     );
  83.   }
  84.   void onMapCreated(AMapController controller) {
  85.     CameraUpdate cameraUpdate = CameraUpdate.newCameraPosition(
  86.       CameraPosition(
  87.         target: LatLng(nowLatitude, nowLongitude),
  88.         zoom: 10,
  89.         tilt: 30,
  90.         bearing: 0,
  91.       ),
  92.     );
  93.     controller.moveCamera(cameraUpdate);
  94.     setState(() {
  95.       _mapController = controller;
  96.     });
  97.     getMarker(
  98.       nowLatitude,
  99.       nowLongitude,
  100.       image: "assets/images/my_position.png",
  101.       title: "我",
  102.     );
  103.   }
  104.   Future<String?> getApprovalNumber() async {
  105.     // 普通地图审图号
  106.     String? mapContentApprovalNumber =
  107.         await _mapController.getMapContentApprovalNumber();
  108.     // // 卫星地图审图号
  109.     // String? satelliteImageApprovalNumber =
  110.     //     await _mapController.getSatelliteImageApprovalNumber();
  111.     return mapContentApprovalNumber;
  112.   }
  113.   Future<void> getMarker(
  114.     double latitude,
  115.     double longitude, {
  116.     String? image,
  117.     String? title,
  118.     String? snippet,
  119.   }) async {
  120.     LatLng position = LatLng(latitude, longitude);
  121.     Marker marker = Marker(
  122.       onTap: (s) {
  123.         print(s);
  124.       },
  125.       infoWindow: InfoWindow(
  126.         title: title,
  127.         snippet: snippet,
  128.       ),
  129.       position: position,
  130.       icon: image != null
  131.           ? await getBitmapDescriptorFromAssetBytes(image, 100, 100)
  132.           : BitmapDescriptor.defaultMarker,
  133.     );
  134.     markerMap[marker.id] = marker;
  135.     setState(() {});
  136.   }
  137.   Future<BitmapDescriptor> getBitmapDescriptorFromAssetBytes(
  138.     String path,
  139.     double width,
  140.     double height,
  141.   ) async {
  142.     var imageFile = await rootBundle.load(path);
  143.     var pictureRecorder = ui.PictureRecorder();
  144.     var canvas = Canvas(pictureRecorder);
  145.     var imageUint8List = imageFile.buffer.asUint8List();
  146.     var codec = await ui.instantiateImageCodec(imageUint8List);
  147.     var imageFI = await codec.getNextFrame();
  148.     paintImage(
  149.       canvas: canvas,
  150.       rect: Rect.fromLTWH(0, 0, width.toDouble(), height.toDouble()),
  151.       image: imageFI.image,
  152.       filterQuality: FilterQuality.medium,
  153.     );
  154.     var image = await pictureRecorder
  155.         .endRecording()
  156.         .toImage(width.toInt(), height.toInt());
  157.     var data = await image.toByteData(format: ui.ImageByteFormat.png);
  158.     return BitmapDescriptor.fromBytes(data!.buffer.asUint8List());
  159.   }
  160. }
复制代码
运行结果


打包也没标题就行了

发布apk

出现的闪退标题

再全部配置完后,发现一个bug,实行
  1. flutter build apk --no-tree-shake-icons --obfuscate --split-debug-info=./
复制代码
安装完apk后,点开舆图会直接闪退
并出现下面

  1. F/obo2.deman_mob(25374): java_vm_ext.cc:570] JNI DETECTED ERROR IN APPLICATION: java_class == null
  2. F/obo2.deman_mob(25374): java_vm_ext.cc:570]     in call to GetStaticMethodID
  3. F/obo2.deman_mob(25374): java_vm_ext.cc:570]     from java.lang.String java.lang.Runtime.nativeLoad(java.lang.String, java.lang.ClassLoader, java.lang.Class)
  4. F/obo2.deman_mob(25374): thread.cc:2560] No pending exception expected: java.lang.ClassNotFoundException: com.autonavi.base.amap.mapcore.ClassTools
  5. F/obo2.deman_mob(25374): thread.cc:2560]   at java.lang.String java.lang.Runtime.nativeLoad(java.lang.String, java.lang.ClassLoader, java.lang.Class) (Runtime.java:-2)
  6. F/obo2.deman_mob(25374): thread.cc:2560]   at java.lang.String java.lang.Runtime.nativeLoad(java.lang.String, java.lang.ClassLoader) (Runtime.java:1115)
  7. F/obo2.deman_mob(25374): thread.cc:2560]   at void java.lang.Runtime.loadLibrary0(java.lang.ClassLoader, java.lang.Class, java.lang.String) (Runtime.java:1069)
  8. F/obo2.deman_mob(25374): thread.cc:2560]   at void java.lang.Runtime.loadLibrary0(java.lang.Class, java.lang.String) (Runtime.java:1007)
  9. F/obo2.deman_mob(25374): thread.cc:2560]   at void java.lang.System.loadLibrary(java.lang.String) (System.java:1668)
  10. F/obo2.deman_mob(25374): thread.cc:2560]   at boolean o5.a.k(android.content.Context) (:-1)
  11. F/obo2.deman_mob(25374): thread.cc:2560]   at void z3.v7.N1(int, javax.microedition.khronos.opengles.GL10, javax.microedition.khronos.egl.EGLConfig) (:-1)
  12. F/obo2.deman_mob(25374): thread.cc:2560]   at void z3.v7.F0(javax.microedition.khronos.opengles.GL10, javax.microedition.khronos.egl.EGLConfig) (:-1)
  13. F/obo2.deman_mob(25374): thread.cc:2560]   at void d5.c.onSurfaceCreated(javax.microedition.khronos.opengles.GL10, javax.microedition.khronos.egl.EGLConfig) (:-1)
  14. F/obo2.deman_mob(25374): thread.cc:2560]   at void z3.p8$i.q() (:-1)
  15. F/obo2.deman_mob(25374): thread.cc:2560]   at void z3.p8$i.run() (:-1)
复制代码
去修改build.gradle

参考文章即可修复bug
这样就不会闪退了

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

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

本版积分规则

种地

论坛元老
这个人很懒什么都没写!
快速回复 返回顶部 返回列表