Compare commits
9 Commits
dev_featur
...
dev_map
| Author | SHA1 | Date | |
|---|---|---|---|
| cd14469d79 | |||
| b846d352a2 | |||
|
|
a24f41a8d5 | ||
|
|
65b4a3ac34 | ||
| 35bd3a78a5 | |||
| 032e60d362 | |||
| 45f5035d1b | |||
| f792915429 | |||
| edbacc502b |
@@ -68,3 +68,8 @@ android {
|
||||
flutter {
|
||||
source = "../.."
|
||||
}
|
||||
|
||||
dependencies {
|
||||
implementation("com.amap.api:navi-3dmap-location-search:10.0.700_3dmap10.0.700_loc6.4.5_sea9.7.2")
|
||||
implementation("com.squareup.okhttp3:okhttp:4.12.0")
|
||||
}
|
||||
|
||||
@@ -14,7 +14,12 @@
|
||||
<!--定位权限-->
|
||||
<uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION"/>
|
||||
<uses-permission android:name="android.permission.ACCESS_FINE_LOCATION"/>
|
||||
<uses-permission android:name="android.permission.FOREGROUND_SERVICE_LOCATION"/>
|
||||
<!--用于申请调用A-GPS模块-->
|
||||
<uses-permission android:name="android.permission.ACCESS_LOCATION_EXTRA_COMMANDS"></uses-permission>
|
||||
<!--如果设置了target >= 28 如果需要启动后台定位则必须声明这个权限-->
|
||||
<uses-permission android:name="android.permission.FOREGROUND_SERVICE"/>
|
||||
<!--如果您的应用需要后台定位权限,且有可能运行在Android Q设备上,并且设置了target>28,必须增加这个权限声明-->
|
||||
<uses-permission android:name="android.permission.ACCESS_BACKGROUND_LOCATION"/>
|
||||
<uses-permission android:name="android.permission.POST_NOTIFICATIONS"/>
|
||||
|
||||
|
||||
@@ -22,6 +27,19 @@
|
||||
android:label="小羚羚"
|
||||
android:name="${applicationName}"
|
||||
android:icon="@mipmap/logo">
|
||||
|
||||
<!-- 高德地图Key -->
|
||||
<meta-data
|
||||
android:name="com.amap.api.v2.apikey"
|
||||
android:value="92495660f7bc990cb475426c47c03b65" />
|
||||
|
||||
<!-- 高德地图定位服务 -->
|
||||
<service android:name="com.amap.api.location.APSService" />
|
||||
<!--高德导航-->
|
||||
<activity
|
||||
android:name="com.amap.api.navi.AmapRouteActivity"
|
||||
android:theme="@android:style/Theme.NoTitleBar"
|
||||
android:configChanges="orientation|keyboardHidden|screenSize|navigation" />
|
||||
<activity
|
||||
android:name=".MainActivity"
|
||||
android:exported="true"
|
||||
|
||||
@@ -1,6 +1,195 @@
|
||||
package com.lnkj.ln_jq_app;
|
||||
|
||||
import android.Manifest;
|
||||
import android.content.pm.PackageManager;
|
||||
import android.os.Build;
|
||||
import android.os.Bundle;
|
||||
import android.util.Log;
|
||||
import android.widget.Toast;
|
||||
|
||||
import java.util.ArrayList;
|
||||
import java.util.List;
|
||||
|
||||
import androidx.annotation.NonNull;
|
||||
import androidx.core.app.ActivityCompat;
|
||||
import androidx.core.content.ContextCompat;
|
||||
import io.flutter.embedding.android.FlutterActivity;
|
||||
import io.flutter.embedding.engine.FlutterEngine;
|
||||
import io.flutter.plugin.common.MethodChannel;
|
||||
|
||||
public class MainActivity extends FlutterActivity {
|
||||
|
||||
private static final String CHANNEL = "com.lnkj.ln_jq_app/map";
|
||||
private static final String TAG = "MainActivity";
|
||||
|
||||
// 权限请求码
|
||||
private static final int PERMISSION_REQUEST_CODE = 1001;
|
||||
|
||||
private NativeMapView mapView;
|
||||
|
||||
@Override
|
||||
public void configureFlutterEngine(@NonNull FlutterEngine flutterEngine) {
|
||||
super.configureFlutterEngine(flutterEngine);
|
||||
|
||||
// 注册高德地图导航Platform View
|
||||
flutterEngine
|
||||
.getPlatformViewsController()
|
||||
.getRegistry()
|
||||
.registerViewFactory(
|
||||
"NativeFirstPage",
|
||||
new NativeMapFactory(this)
|
||||
);
|
||||
|
||||
// 注册方法通道用于地图控制
|
||||
new MethodChannel(flutterEngine.getDartExecutor().getBinaryMessenger(), CHANNEL)
|
||||
.setMethodCallHandler((call, result) -> {
|
||||
switch (call.method) {
|
||||
case "requestPermissions":
|
||||
requestPermissions();
|
||||
result.success(null);
|
||||
break;
|
||||
case "onResume":
|
||||
if (mapView != null) {
|
||||
mapView.onResume();
|
||||
}
|
||||
result.success(null);
|
||||
break;
|
||||
case "onPause":
|
||||
if (mapView != null) {
|
||||
mapView.onPause();
|
||||
}
|
||||
result.success(null);
|
||||
break;
|
||||
case "onDestroy":
|
||||
if (mapView != null) {
|
||||
mapView.dispose();
|
||||
mapView = null;
|
||||
}
|
||||
result.success(null);
|
||||
break;
|
||||
default:
|
||||
result.notImplemented();
|
||||
break;
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取当前系统版本需要申请的权限列表
|
||||
*/
|
||||
private String[] getRequiredPermissions() {
|
||||
List<String> permissions = new ArrayList<>();
|
||||
// 定位权限是必须的
|
||||
permissions.add(Manifest.permission.ACCESS_FINE_LOCATION);
|
||||
permissions.add(Manifest.permission.ACCESS_COARSE_LOCATION);
|
||||
|
||||
// 存储权限处理:Android 13 (API 33) 以下才需要申请 legacy 存储权限
|
||||
if (Build.VERSION.SDK_INT < Build.VERSION_CODES.TIRAMISU) {
|
||||
permissions.add(Manifest.permission.WRITE_EXTERNAL_STORAGE);
|
||||
permissions.add(Manifest.permission.READ_EXTERNAL_STORAGE);
|
||||
}
|
||||
|
||||
return permissions.toArray(new String[0]);
|
||||
}
|
||||
|
||||
/**
|
||||
* 检查并申请权限
|
||||
*/
|
||||
private void checkAndRequestPermissions() {
|
||||
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
|
||||
String[] requiredPermissions = getRequiredPermissions();
|
||||
List<String> deniedPermissions = new ArrayList<>();
|
||||
|
||||
for (String permission : requiredPermissions) {
|
||||
if (ContextCompat.checkSelfPermission(this, permission) != PackageManager.PERMISSION_GRANTED) {
|
||||
deniedPermissions.add(permission);
|
||||
}
|
||||
}
|
||||
|
||||
if (!deniedPermissions.isEmpty()) {
|
||||
ActivityCompat.requestPermissions(
|
||||
this,
|
||||
deniedPermissions.toArray(new String[0]),
|
||||
PERMISSION_REQUEST_CODE
|
||||
);
|
||||
} else {
|
||||
Log.d(TAG, "所有必要权限已授予");
|
||||
if (mapView != null) {
|
||||
mapView.startLocation();
|
||||
}
|
||||
}
|
||||
} else {
|
||||
if (mapView != null) {
|
||||
mapView.startLocation();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void requestPermissions() {
|
||||
checkAndRequestPermissions();
|
||||
}
|
||||
|
||||
public void setMapView(NativeMapView mapView) {
|
||||
this.mapView = mapView;
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void onResume() {
|
||||
super.onResume();
|
||||
// 注意:高德SDK合规检查通过后再进行定位相关操作
|
||||
// 这里仅保留地图生命周期调用,权限建议在Flutter端或按需触发
|
||||
if (mapView != null) {
|
||||
mapView.onResume();
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void onPause() {
|
||||
super.onPause();
|
||||
if (mapView != null) {
|
||||
mapView.onPause();
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void onDestroy() {
|
||||
super.onDestroy();
|
||||
if (mapView != null) {
|
||||
mapView.dispose();
|
||||
mapView = null;
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onSaveInstanceState(@NonNull Bundle outState) {
|
||||
super.onSaveInstanceState(outState);
|
||||
if (mapView != null) {
|
||||
mapView.onSaveInstanceState(outState);
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
|
||||
super.onRequestPermissionsResult(requestCode, permissions, grantResults);
|
||||
|
||||
if (requestCode == PERMISSION_REQUEST_CODE) {
|
||||
boolean locationGranted = false;
|
||||
for (int i = 0; i < permissions.length; i++) {
|
||||
if (Manifest.permission.ACCESS_FINE_LOCATION.equals(permissions[i])
|
||||
&& grantResults[i] == PackageManager.PERMISSION_GRANTED) {
|
||||
locationGranted = true;
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
if (locationGranted) {
|
||||
if (mapView != null) {
|
||||
mapView.startLocation();
|
||||
}
|
||||
} else {
|
||||
// 只有在定位权限确实被拒绝时才弹出提示
|
||||
Toast.makeText(this, "请授予应用定位权限以正常使用地图功能", Toast.LENGTH_LONG).show();
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -0,0 +1,37 @@
|
||||
package com.lnkj.ln_jq_app;
|
||||
|
||||
import android.content.Context;
|
||||
|
||||
import io.flutter.plugin.common.MessageCodec;
|
||||
import io.flutter.plugin.common.StandardMessageCodec;
|
||||
import io.flutter.plugin.platform.PlatformView;
|
||||
import io.flutter.plugin.platform.PlatformViewFactory;
|
||||
|
||||
/**
|
||||
* 高德地图导航 Platform View Factory
|
||||
* 对应iOS的NativeViewFactory
|
||||
*/
|
||||
public class NativeMapFactory extends PlatformViewFactory {
|
||||
|
||||
private static final String VIEW_TYPE_ID = "NativeFirstPage";
|
||||
private static NativeMapView mapViewInstance = null;
|
||||
private final Context context;
|
||||
|
||||
public NativeMapFactory(Context context) {
|
||||
super(StandardMessageCodec.INSTANCE);
|
||||
this.context = context;
|
||||
}
|
||||
|
||||
@Override
|
||||
public PlatformView create(Context context, int viewId, Object args) {
|
||||
mapViewInstance = new NativeMapView(context, viewId, args);
|
||||
return mapViewInstance;
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取地图实例,供MainActivity使用
|
||||
*/
|
||||
public static NativeMapView getMapView() {
|
||||
return mapViewInstance;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,695 @@
|
||||
package com.lnkj.ln_jq_app;
|
||||
|
||||
import android.app.Activity;
|
||||
import android.content.Context;
|
||||
import android.graphics.Bitmap;
|
||||
import android.graphics.BitmapFactory;
|
||||
import android.graphics.Color;
|
||||
import android.graphics.drawable.GradientDrawable;
|
||||
import android.os.Bundle;
|
||||
import android.os.Handler;
|
||||
import android.os.Looper;
|
||||
import android.util.Log;
|
||||
import android.util.TypedValue;
|
||||
import android.view.Gravity;
|
||||
import android.view.View;
|
||||
import android.view.ViewGroup;
|
||||
import android.view.inputmethod.EditorInfo;
|
||||
import android.widget.Button;
|
||||
import android.widget.EditText;
|
||||
import android.widget.FrameLayout;
|
||||
import android.widget.ImageButton;
|
||||
import android.widget.LinearLayout;
|
||||
import android.widget.Toast;
|
||||
|
||||
import com.amap.api.location.AMapLocation;
|
||||
import com.amap.api.location.AMapLocationClient;
|
||||
import com.amap.api.location.AMapLocationClientOption;
|
||||
import com.amap.api.location.AMapLocationListener;
|
||||
import com.amap.api.maps.AMap;
|
||||
import com.amap.api.maps.AMapOptions;
|
||||
import com.amap.api.maps.CameraUpdateFactory;
|
||||
import com.amap.api.maps.LocationSource;
|
||||
import com.amap.api.maps.MapView;
|
||||
import com.amap.api.maps.MapsInitializer;
|
||||
import com.amap.api.maps.model.BitmapDescriptorFactory;
|
||||
import com.amap.api.maps.model.LatLng;
|
||||
import com.amap.api.maps.model.Marker;
|
||||
import com.amap.api.maps.model.MarkerOptions;
|
||||
import com.amap.api.maps.model.MyLocationStyle;
|
||||
import com.amap.api.maps.model.Poi;
|
||||
import com.amap.api.navi.AMapNavi;
|
||||
import com.amap.api.navi.AmapNaviPage;
|
||||
import com.amap.api.navi.AmapNaviParams;
|
||||
import com.amap.api.navi.AmapNaviType;
|
||||
import com.amap.api.navi.AmapPageType;
|
||||
import com.amap.api.navi.INaviInfoCallback;
|
||||
import com.amap.api.navi.enums.PathPlanningStrategy;
|
||||
import com.amap.api.navi.model.AMapCarInfo;
|
||||
import com.amap.api.navi.model.AMapNaviLocation;
|
||||
import com.amap.api.services.core.AMapException;
|
||||
import com.amap.api.services.core.LatLonPoint;
|
||||
import com.amap.api.services.geocoder.GeocodeResult;
|
||||
import com.amap.api.services.geocoder.GeocodeSearch;
|
||||
import com.amap.api.services.geocoder.RegeocodeAddress;
|
||||
import com.amap.api.services.geocoder.RegeocodeQuery;
|
||||
import com.amap.api.services.geocoder.RegeocodeResult;
|
||||
import com.amap.api.services.route.BusRouteResult;
|
||||
import com.amap.api.services.route.DriveRouteResult;
|
||||
import com.amap.api.services.route.RideRouteResult;
|
||||
import com.amap.api.services.route.RouteSearch;
|
||||
import com.amap.api.services.route.WalkRouteResult;
|
||||
|
||||
import org.json.JSONArray;
|
||||
import org.json.JSONObject;
|
||||
|
||||
import java.io.IOException;
|
||||
import java.util.ArrayList;
|
||||
import java.util.List;
|
||||
|
||||
import androidx.annotation.NonNull;
|
||||
import io.flutter.plugin.platform.PlatformView;
|
||||
import okhttp3.Call;
|
||||
import okhttp3.Callback;
|
||||
import okhttp3.MediaType;
|
||||
import okhttp3.OkHttpClient;
|
||||
import okhttp3.Request;
|
||||
import okhttp3.RequestBody;
|
||||
import okhttp3.Response;
|
||||
|
||||
/**
|
||||
* 高德地图导航
|
||||
*/
|
||||
public class NativeMapView implements PlatformView, LocationSource, AMapLocationListener,
|
||||
GeocodeSearch.OnGeocodeSearchListener, RouteSearch.OnRouteSearchListener, AMap.OnMarkerClickListener {
|
||||
|
||||
private static final String TAG = "NativeMapView";
|
||||
private final FrameLayout container;
|
||||
|
||||
// 地图相关
|
||||
private MapView mapView;
|
||||
private AMap aMap;
|
||||
private OnLocationChangedListener mListener;
|
||||
|
||||
// 定位相关
|
||||
private AMapLocationClient mlocationClient;
|
||||
private final Context mContext;
|
||||
private Activity mActivity; // 保存Activity引用用于导航
|
||||
private GeocodeSearch geocoderSearch;
|
||||
private RouteSearch routeSearch;
|
||||
private final OkHttpClient httpClient = new OkHttpClient();
|
||||
|
||||
// UI组件
|
||||
private EditText startInput;
|
||||
private EditText endInput;
|
||||
private LatLng currentLatLng;
|
||||
private String startName = "我的位置";
|
||||
private String endName = "目的地";
|
||||
private LatLng startPoint;
|
||||
private LatLng endPoint;
|
||||
private boolean isFirstLocation = true;
|
||||
private final List<Marker> stationMarkers = new ArrayList<>();
|
||||
|
||||
public NativeMapView(Context context, int id, Object args) {
|
||||
this.mContext = context;
|
||||
|
||||
// 尝试获取Activity引用
|
||||
mActivity = getActivityFromContext(context);
|
||||
|
||||
MapsInitializer.updatePrivacyShow(context, true, true);
|
||||
MapsInitializer.updatePrivacyAgree(context, true);
|
||||
|
||||
container = new FrameLayout(context);
|
||||
container.setClickable(true);
|
||||
container.setFocusable(true);
|
||||
|
||||
mapView = new MapView(context);
|
||||
mapView.onCreate(null);
|
||||
aMap = mapView.getMap();
|
||||
|
||||
container.addView(mapView, new FrameLayout.LayoutParams(
|
||||
ViewGroup.LayoutParams.MATCH_PARENT, ViewGroup.LayoutParams.MATCH_PARENT));
|
||||
|
||||
initServices(context);
|
||||
initOverlays(context);
|
||||
setupMapUi();
|
||||
|
||||
// 通知MainActivity
|
||||
if (context instanceof MainActivity) {
|
||||
((MainActivity) context).setMapView(this);
|
||||
}
|
||||
|
||||
Log.d(TAG, "NativeMapView初始化完成");
|
||||
}
|
||||
|
||||
/**
|
||||
* 初始化服务
|
||||
*/
|
||||
private void initServices(Context context) {
|
||||
try {
|
||||
geocoderSearch = new GeocodeSearch(context);
|
||||
geocoderSearch.setOnGeocodeSearchListener(this);
|
||||
routeSearch = new RouteSearch(context);
|
||||
routeSearch.setRouteSearchListener(this);
|
||||
} catch (AMapException e) {
|
||||
Log.e(TAG, "服务初始化失败", e);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 初始化覆盖层UI
|
||||
*/
|
||||
private void initOverlays(Context context) {
|
||||
LinearLayout searchBox = new LinearLayout(context);
|
||||
searchBox.setOrientation(LinearLayout.VERTICAL);
|
||||
searchBox.setBackground(getRoundedDrawable(Color.WHITE, 12));
|
||||
searchBox.setElevation(dp2px(8));
|
||||
int p = dp2px(15);
|
||||
searchBox.setPadding(p, p, p, p);
|
||||
searchBox.setClickable(true);
|
||||
searchBox.setFocusable(true);
|
||||
|
||||
startInput = createInput(context, "起点: 正在定位...");
|
||||
searchBox.addView(startInput);
|
||||
|
||||
View vSpace = new View(context);
|
||||
searchBox.addView(vSpace, new LinearLayout.LayoutParams(1, dp2px(10)));
|
||||
|
||||
LinearLayout endRow = new LinearLayout(context);
|
||||
endRow.setOrientation(LinearLayout.HORIZONTAL);
|
||||
endRow.setGravity(Gravity.CENTER_VERTICAL);
|
||||
|
||||
endInput = createInput(context, "终点: 请输入目的地");
|
||||
endRow.addView(endInput, new LinearLayout.LayoutParams(0, dp2px(42), 1f));
|
||||
|
||||
Button routeBtn = new Button(context);
|
||||
routeBtn.setText("路径规划");
|
||||
routeBtn.setTextColor(Color.WHITE);
|
||||
routeBtn.setAllCaps(false);
|
||||
routeBtn.setTextSize(14);
|
||||
routeBtn.setBackground(getRoundedDrawable(Color.parseColor("#017143"), 6));
|
||||
routeBtn.setOnClickListener(v -> startRouteSearch());
|
||||
endRow.addView(routeBtn, new LinearLayout.LayoutParams(dp2px(90), dp2px(42)));
|
||||
|
||||
searchBox.addView(endRow);
|
||||
|
||||
FrameLayout.LayoutParams searchParams = new FrameLayout.LayoutParams(
|
||||
ViewGroup.LayoutParams.MATCH_PARENT, ViewGroup.LayoutParams.WRAP_CONTENT);
|
||||
searchParams.setMargins(dp2px(15), dp2px(50), dp2px(15), 0);
|
||||
container.addView(searchBox, searchParams);
|
||||
|
||||
ImageButton locBtn = new ImageButton(context);
|
||||
locBtn.setImageResource(android.R.drawable.ic_menu_mylocation);
|
||||
locBtn.setBackground(getRoundedDrawable(Color.WHITE, 30));
|
||||
locBtn.setElevation(dp2px(4));
|
||||
locBtn.setOnClickListener(v -> {
|
||||
if (currentLatLng != null) {
|
||||
aMap.animateCamera(CameraUpdateFactory.newLatLngZoom(currentLatLng, 15f));
|
||||
}
|
||||
});
|
||||
FrameLayout.LayoutParams locParams = new FrameLayout.LayoutParams(dp2px(50), dp2px(50));
|
||||
locParams.setMargins(0, 0, dp2px(20), dp2px(120));
|
||||
locParams.gravity = Gravity.BOTTOM | Gravity.END;
|
||||
container.addView(locBtn, locParams);
|
||||
}
|
||||
|
||||
private EditText createInput(Context context, String hint) {
|
||||
EditText et = new EditText(context);
|
||||
et.setHint(hint);
|
||||
et.setTextSize(14f);
|
||||
et.setTextColor(Color.BLACK);
|
||||
et.setPadding(dp2px(12), dp2px(10), dp2px(12), dp2px(10));
|
||||
et.setBackground(getRoundedDrawable(Color.parseColor("#F5F5F5"), 6));
|
||||
et.setSingleLine(true);
|
||||
et.setImeOptions(EditorInfo.IME_ACTION_DONE);
|
||||
et.setFocusable(true);
|
||||
et.setFocusableInTouchMode(true);
|
||||
return et;
|
||||
}
|
||||
|
||||
private GradientDrawable getRoundedDrawable(int color, int radiusDp) {
|
||||
GradientDrawable shape = new GradientDrawable();
|
||||
shape.setShape(GradientDrawable.RECTANGLE);
|
||||
shape.setCornerRadius(dp2px(radiusDp));
|
||||
shape.setColor(color);
|
||||
return shape;
|
||||
}
|
||||
|
||||
private int dp2px(float dp) {
|
||||
return (int) TypedValue.applyDimension(TypedValue.COMPLEX_UNIT_DIP, dp, mContext.getResources().getDisplayMetrics());
|
||||
}
|
||||
|
||||
private void setupMapUi() {
|
||||
aMap.setLocationSource(this);
|
||||
aMap.setMyLocationEnabled(true);
|
||||
aMap.setOnMarkerClickListener(this);
|
||||
|
||||
MyLocationStyle myLocationStyle = new MyLocationStyle();
|
||||
|
||||
// --- 放大定位图标 ---
|
||||
try {
|
||||
Bitmap carBitmap = BitmapFactory.decodeResource(mContext.getResources(), R.drawable.car);
|
||||
if (carBitmap != null) {
|
||||
// 放大到 80dp
|
||||
int iconSize = dp2px(25);
|
||||
Bitmap scaledBitmap = Bitmap.createScaledBitmap(carBitmap, iconSize, iconSize, true);
|
||||
myLocationStyle.myLocationIcon(BitmapDescriptorFactory.fromBitmap(scaledBitmap));
|
||||
}
|
||||
} catch (Exception e) {
|
||||
Log.e(TAG, "设置大图标失败", e);
|
||||
}
|
||||
|
||||
myLocationStyle.anchor(0.5f, 0.5f);
|
||||
myLocationStyle.myLocationType(MyLocationStyle.LOCATION_TYPE_LOCATION_ROTATE_NO_CENTER);
|
||||
myLocationStyle.showMyLocation(true);
|
||||
myLocationStyle.strokeColor(Color.TRANSPARENT);
|
||||
myLocationStyle.radiusFillColor(Color.TRANSPARENT);
|
||||
aMap.setMyLocationStyle(myLocationStyle);
|
||||
|
||||
aMap.getUiSettings().setZoomControlsEnabled(true);
|
||||
aMap.getUiSettings().setScaleControlsEnabled(true);
|
||||
aMap.getUiSettings().setLogoPosition(AMapOptions.LOGO_POSITION_BOTTOM_LEFT);
|
||||
}
|
||||
|
||||
// ==================== LocationSource 接口实现 ====================
|
||||
@Override
|
||||
public void activate(OnLocationChangedListener listener) {
|
||||
mListener = listener;
|
||||
startLocation();
|
||||
}
|
||||
|
||||
@Override
|
||||
public void deactivate() {
|
||||
mListener = null;
|
||||
if (mlocationClient != null) {
|
||||
mlocationClient.stopLocation();
|
||||
mlocationClient.onDestroy();
|
||||
}
|
||||
mlocationClient = null;
|
||||
}
|
||||
|
||||
public void startLocation() {
|
||||
if (mlocationClient == null) {
|
||||
try {
|
||||
mlocationClient = new AMapLocationClient(mContext);
|
||||
AMapLocationClientOption option = new AMapLocationClientOption();
|
||||
mlocationClient.setLocationListener(this);
|
||||
option.setLocationMode(AMapLocationClientOption.AMapLocationMode.Hight_Accuracy);
|
||||
mlocationClient.setLocationOption(option);
|
||||
mlocationClient.startLocation();
|
||||
Log.d(TAG, "定位启动成功");
|
||||
} catch (Exception e) {
|
||||
Log.e(TAG, "定位启动失败", e);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onLocationChanged(AMapLocation loc) {
|
||||
if (loc != null) {
|
||||
if (mListener != null) {
|
||||
mListener.onLocationChanged(loc);
|
||||
}
|
||||
currentLatLng = new LatLng(loc.getLatitude(), loc.getLongitude());
|
||||
|
||||
if (loc.getErrorCode() == 0) {
|
||||
if (isFirstLocation) {
|
||||
isFirstLocation = false;
|
||||
startPoint = currentLatLng;
|
||||
aMap.moveCamera(CameraUpdateFactory.newLatLngZoom(currentLatLng, 14f));
|
||||
getAddressByLatlng(currentLatLng);
|
||||
fetchRecommendStation(loc);
|
||||
fetchNearbyStations(loc);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// ==================== 逆地理编码 ====================
|
||||
private void getAddressByLatlng(LatLng latLng) {
|
||||
LatLonPoint point = new LatLonPoint(latLng.latitude, latLng.longitude);
|
||||
RegeocodeQuery query = new RegeocodeQuery(point, 200, GeocodeSearch.AMAP);
|
||||
geocoderSearch.getFromLocationAsyn(query);
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onRegeocodeSearched(RegeocodeResult result, int rCode) {
|
||||
if (rCode == AMapException.CODE_AMAP_SUCCESS && result != null && result.getRegeocodeAddress() != null) {
|
||||
RegeocodeAddress addr = result.getRegeocodeAddress();
|
||||
String fullAddr = addr.getFormatAddress();
|
||||
|
||||
// 优化地址显示逻辑
|
||||
startName = formatAddress(fullAddr,result);
|
||||
|
||||
new Handler(Looper.getMainLooper()).post(() -> {
|
||||
startInput.setText(startName);
|
||||
startInput.setSelection(startName.length()); // 光标移到末尾
|
||||
});
|
||||
|
||||
Log.d(TAG, "逆地理编码成功: " + startName);
|
||||
} else {
|
||||
Log.e(TAG, "逆地理编码失败: code=" + rCode + ", result=" + (result != null ? "null" : "has data"));
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 格式化地址显示,移除重复的前缀并限制长度
|
||||
*/
|
||||
private String formatAddress(String fullAddress,RegeocodeResult result) {
|
||||
if (fullAddress == null || fullAddress.isEmpty()) {
|
||||
return "未知地点";
|
||||
}
|
||||
|
||||
// 获取各级地址信息
|
||||
String province = null;
|
||||
String city = null;
|
||||
String district = null;
|
||||
String township = null;
|
||||
|
||||
try {
|
||||
if (result.getRegeocodeAddress() != null) {
|
||||
RegeocodeAddress addr = result.getRegeocodeAddress();
|
||||
province = addr.getProvince();
|
||||
city = addr.getCity();
|
||||
district = addr.getDistrict();
|
||||
township = addr.getTownship();
|
||||
}
|
||||
} catch (Exception e) {
|
||||
Log.e(TAG, "获取地址信息失败", e);
|
||||
}
|
||||
|
||||
String formattedAddr = fullAddress;
|
||||
|
||||
// 按优先级移除重复前缀(省、市、区、乡)
|
||||
String[] prefixes = {province, city, district, township};
|
||||
for (String prefix : prefixes) {
|
||||
if (prefix != null && !prefix.isEmpty() && formattedAddr.startsWith(prefix)) {
|
||||
formattedAddr = formattedAddr.substring(prefix.length());
|
||||
Log.d(TAG, "移除前缀: " + prefix + " -> " + formattedAddr);
|
||||
}
|
||||
}
|
||||
|
||||
// 限制地址长度并添加省略号
|
||||
if (formattedAddr.length() > 25) {
|
||||
formattedAddr = formattedAddr.substring(0, 25) + "...";
|
||||
Log.d(TAG, "地址长度截断: " + formattedAddr);
|
||||
}
|
||||
|
||||
return formattedAddr;
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onGeocodeSearched(GeocodeResult result, int rCode) {
|
||||
}
|
||||
|
||||
// ==================== API请求 ====================
|
||||
|
||||
private void fetchRecommendStation(AMapLocation loc) {
|
||||
try {
|
||||
JSONObject json = new JSONObject();
|
||||
json.put("province", loc.getProvince() != null ? loc.getProvince() : "");
|
||||
json.put("city", loc.getCity() != null && !loc.getCity().isEmpty() ? loc.getCity() : "");
|
||||
json.put("district", loc.getDistrict() != null ? loc.getDistrict() : "");
|
||||
json.put("longitude", String.valueOf(loc.getLongitude()));
|
||||
json.put("latitude", String.valueOf(loc.getLatitude()));
|
||||
|
||||
RequestBody body = RequestBody.create(json.toString(), MediaType.parse("application/json; charset=utf-8"));
|
||||
Request request = new Request.Builder()
|
||||
.url("https://beta-esg.api.lnh2e.com/appointment/station/getStationInfoByArea")
|
||||
.post(body)
|
||||
.build();
|
||||
|
||||
httpClient.newCall(request).enqueue(new Callback() {
|
||||
@Override
|
||||
public void onFailure(@NonNull Call call, @NonNull IOException e) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onResponse(@NonNull Call call, @NonNull Response response) throws IOException {
|
||||
if (response.isSuccessful() && response.body() != null) {
|
||||
try {
|
||||
JSONObject res = new JSONObject(response.body().string());
|
||||
if (res.getInt("code") == 0 && !res.isNull("data")) {
|
||||
JSONObject data = res.getJSONObject("data");
|
||||
endPoint = new LatLng(data.getDouble("latitude"), data.getDouble("longitude"));
|
||||
endName = data.getString("name");
|
||||
String addr = data.optString("address", "");
|
||||
new Handler(Looper.getMainLooper()).post(() -> {
|
||||
endInput.setText(addr);
|
||||
markStation(endPoint, endName, true);
|
||||
});
|
||||
}
|
||||
} catch (Exception e) {
|
||||
e.printStackTrace();
|
||||
}
|
||||
}
|
||||
}
|
||||
});
|
||||
} catch (Exception e) {
|
||||
e.printStackTrace();
|
||||
}
|
||||
}
|
||||
|
||||
private void fetchNearbyStations(AMapLocation loc) {
|
||||
try {
|
||||
JSONObject json = new JSONObject();
|
||||
json.put("longitude", String.valueOf(loc.getLongitude()));
|
||||
json.put("latitude", String.valueOf(loc.getLatitude()));
|
||||
|
||||
RequestBody body = RequestBody.create(json.toString(), MediaType.parse("application/json; charset=utf-8"));
|
||||
Request request = new Request.Builder()
|
||||
.url("https://beta-esg.api.lnh2e.com/appointment/station/getNearbyHydrogenStationsByLocation")
|
||||
.post(body)
|
||||
.build();
|
||||
|
||||
httpClient.newCall(request).enqueue(new Callback() {
|
||||
@Override
|
||||
public void onFailure(@NonNull Call call, @NonNull IOException e) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onResponse(@NonNull Call call, @NonNull Response response) throws IOException {
|
||||
if (response.isSuccessful() && response.body() != null) {
|
||||
try {
|
||||
JSONObject res = new JSONObject(response.body().string());
|
||||
if (res.getInt("code") == 0 && !res.isNull("data")) {
|
||||
JSONArray array = res.getJSONArray("data");
|
||||
new Handler(Looper.getMainLooper()).post(() -> {
|
||||
for (int i = 0; i < array.length(); i++) {
|
||||
try {
|
||||
JSONObject item = array.getJSONObject(i);
|
||||
markStation(new LatLng(item.getDouble("latitude"), item.getDouble("longitude")),
|
||||
item.getString("name"), false);
|
||||
} catch (Exception ignored) {
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
} catch (Exception e) {
|
||||
e.printStackTrace();
|
||||
}
|
||||
}
|
||||
}
|
||||
});
|
||||
} catch (Exception e) {
|
||||
e.printStackTrace();
|
||||
}
|
||||
}
|
||||
|
||||
private void markStation(LatLng latLng, String name, boolean isRecommend) {
|
||||
MarkerOptions opt = new MarkerOptions()
|
||||
.position(latLng).title(name)
|
||||
.icon(BitmapDescriptorFactory.defaultMarker(isRecommend ? BitmapDescriptorFactory.HUE_RED : BitmapDescriptorFactory.HUE_GREEN));
|
||||
Marker m = aMap.addMarker(opt);
|
||||
m.setObject(latLng);
|
||||
stationMarkers.add(m);
|
||||
}
|
||||
|
||||
@Override
|
||||
public boolean onMarkerClick(Marker marker) {
|
||||
if (marker.getObject() instanceof LatLng) {
|
||||
endPoint = (LatLng) marker.getObject();
|
||||
endName = marker.getTitle();
|
||||
endInput.setText(endName);
|
||||
startRouteSearch();
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
// ==================== 路径规划 ====================
|
||||
|
||||
private void startRouteSearch() {
|
||||
if (startPoint == null || endPoint == null) {
|
||||
Toast.makeText(mContext, "正在定位中,请稍后...", Toast.LENGTH_SHORT).show();
|
||||
return;
|
||||
}
|
||||
|
||||
Poi start = new Poi(startName, startPoint, "");
|
||||
Poi end = new Poi(endName, endPoint, "");
|
||||
|
||||
AmapNaviParams params = new AmapNaviParams(start, null, end, AmapNaviType.DRIVER, AmapPageType.ROUTE);
|
||||
|
||||
try {
|
||||
AMapNavi mAMapNavi = AMapNavi.getInstance(mContext);
|
||||
AMapCarInfo carInfo = new AMapCarInfo();
|
||||
carInfo.setCarNumber("沪AGK2267");
|
||||
carInfo.setCarType("1");
|
||||
carInfo.setVehicleAxis("6");
|
||||
carInfo.setVehicleHeight("3.32");
|
||||
carInfo.setVehicleLength("6.9");
|
||||
carInfo.setVehicleWidth("2.26");
|
||||
carInfo.setVehicleSize("2");
|
||||
carInfo.setVehicleLoad("4.5");
|
||||
carInfo.setVehicleWeight("4.5");
|
||||
carInfo.setRestriction(true);
|
||||
carInfo.setVehicleLoadSwitch(true);
|
||||
mAMapNavi.setCarInfo(carInfo);
|
||||
} catch (com.amap.api.maps.AMapException e) {
|
||||
Log.e(TAG, "设置车辆信息失败", e);
|
||||
}
|
||||
|
||||
params.setRouteStrategy(PathPlanningStrategy.DRIVING_MULTIPLE_ROUTES_DEFAULT);
|
||||
|
||||
if (mActivity != null) {
|
||||
AmapNaviPage.getInstance().showRouteActivity(mActivity, params, new INaviInfoCallback() {
|
||||
@Override
|
||||
public void onInitNaviFailure() {
|
||||
Log.e(TAG, "导航初始化失败");
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onGetNavigationText(String s) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onLocationChange(AMapNaviLocation location) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onArriveDestination(boolean b) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onStartNavi(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onCalculateRouteSuccess(int[] ints) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onCalculateRouteFailure(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onStopSpeaking() {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onReCalculateRoute(int i) {
|
||||
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onArrivedWayPoint(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onExitPage(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onStrategyChanged(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onMapTypeChanged(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onNaviDirectionChanged(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onDayAndNightModeChanged(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onBroadcastModeChanged(int i) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onScaleAutoChanged(boolean b) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public View getCustomNaviBottomView() {
|
||||
return null;
|
||||
}
|
||||
|
||||
@Override
|
||||
public View getCustomNaviView() {
|
||||
return null;
|
||||
}
|
||||
|
||||
@Override
|
||||
public View getCustomMiddleView() {
|
||||
return null;
|
||||
}
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onDriveRouteSearched(DriveRouteResult result, int rCode) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onBusRouteSearched(BusRouteResult r, int c) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onWalkRouteSearched(WalkRouteResult r, int c) {
|
||||
}
|
||||
|
||||
@Override
|
||||
public void onRideRouteSearched(RideRouteResult r, int c) {
|
||||
}
|
||||
|
||||
private Activity getActivityFromContext(Context context) {
|
||||
if (context instanceof Activity)
|
||||
return (Activity) context;
|
||||
if (context instanceof android.content.ContextWrapper) {
|
||||
Context base = ((android.content.ContextWrapper) context).getBaseContext();
|
||||
if (base instanceof Activity)
|
||||
return (Activity) base;
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
public void onResume() {
|
||||
mapView.onResume();
|
||||
}
|
||||
|
||||
public void onPause() {
|
||||
mapView.onPause();
|
||||
}
|
||||
|
||||
public void onSaveInstanceState(Bundle out) {
|
||||
mapView.onSaveInstanceState(out);
|
||||
}
|
||||
|
||||
@Override
|
||||
public View getView() {
|
||||
return container;
|
||||
}
|
||||
|
||||
@Override
|
||||
public void dispose() {
|
||||
if (mlocationClient != null) {
|
||||
mlocationClient.stopLocation();
|
||||
mlocationClient.onDestroy();
|
||||
}
|
||||
mapView.onDestroy();
|
||||
}
|
||||
}
|
||||
BIN
ln_jq_app/android/app/src/main/res/drawable/car.png
Normal file
|
After Width: | Height: | Size: 6.6 KiB |
BIN
ln_jq_app/android/app/src/main/res/drawable/ic_tag.png
Normal file
|
After Width: | Height: | Size: 3.4 KiB |
|
Before Width: | Height: | Size: 6.0 KiB |
BIN
ln_jq_app/android/app/src/main/res/mipmap-xhdpi/logo.png
Normal file
|
After Width: | Height: | Size: 2.7 KiB |
50
ln_jq_app/ios/AMapNavIOSSDK/AMapNavIOSSDK.podspec
Normal file
@@ -0,0 +1,50 @@
|
||||
#
|
||||
# Be sure to run `pod lib lint AMapNavIOSSDK.podspec' to ensure this is a
|
||||
# valid spec before submitting.
|
||||
#
|
||||
# Any lines starting with a # are optional, but their use is encouraged
|
||||
# To learn more about a Podspec see https://guides.cocoapods.org/syntax/podspec.html
|
||||
#
|
||||
|
||||
Pod::Spec.new do |s|
|
||||
s.name = 'AMapNavIOSSDK'
|
||||
s.version = '0.1.0'
|
||||
s.summary = 'A short description of AMapNavIOSSDK.'
|
||||
|
||||
# This description is used to generate tags and improve search results.
|
||||
# * Think: What does it do? Why did you write it? What is the focus?
|
||||
# * Try to keep it short, snappy and to the point.
|
||||
# * Write the description between the DESC delimiters below.
|
||||
# * Finally, don't worry about the indent, CocoaPods strips it!
|
||||
|
||||
s.description = <<-DESC
|
||||
TODO: Add long description of the pod here.
|
||||
DESC
|
||||
|
||||
s.homepage = 'https://github.com/xiaoshuai/AMapNavIOSSDK'
|
||||
# s.screenshots = 'www.example.com/screenshots_1', 'www.example.com/screenshots_2'
|
||||
s.license = { :type => 'MIT', :file => 'LICENSE' }
|
||||
s.author = { 'xiaoshuai' => 'xiaoshuai@net.cn' }
|
||||
s.source = { :git => 'https://github.com/xiaoshuai/AMapNavIOSSDK.git', :tag => s.version.to_s }
|
||||
# s.social_media_url = 'https://twitter.com/<TWITTER_USERNAME>'
|
||||
|
||||
s.ios.deployment_target = '12.0'
|
||||
|
||||
s.source_files = 'AMapNavIOSSDK/Classes/**/*'
|
||||
s.resource = 'AMapNavIOSSDK/**/*.bundle'
|
||||
s.resource_bundles = {
|
||||
'AMapNavIOSSDKPrivacyInfo' => ['AMapNavIOSSDK/**/PrivacyInfo.xcprivacy']
|
||||
}
|
||||
|
||||
# s.public_header_files = 'Pod/Classes/**/*.h'
|
||||
# s.frameworks = 'UIKit', 'MapKit'
|
||||
# s.dependency 'AFNetworking', '~> 2.3'
|
||||
|
||||
s.dependency 'Masonry'
|
||||
s.dependency 'MJExtension'
|
||||
|
||||
s.dependency 'AMapNavi-NO-IDFA'
|
||||
s.dependency 'AMapLocation-NO-IDFA'
|
||||
s.dependency 'AMapSearch-NO-IDFA'
|
||||
|
||||
end
|
||||
|
After Width: | Height: | Size: 1.3 KiB |
|
After Width: | Height: | Size: 4.2 KiB |
|
After Width: | Height: | Size: 1.9 KiB |
|
After Width: | Height: | Size: 840 B |
@@ -0,0 +1,31 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
|
||||
<plist version="1.0">
|
||||
<dict>
|
||||
<key>NSPrivacyTracking</key>
|
||||
<false/>
|
||||
<key>NSPrivacyTrackingDomains</key>
|
||||
<array/>
|
||||
<key>NSPrivacyAccessedAPITypes</key>
|
||||
<array>
|
||||
<dict>
|
||||
<key>NSPrivacyAccessedAPIType</key>
|
||||
<string>NSPrivacyAccessedAPICategoryFileTimestamp</string>
|
||||
<key>NSPrivacyAccessedAPITypeReasons</key>
|
||||
<array>
|
||||
<string>0A2A.1</string>
|
||||
</array>
|
||||
</dict>
|
||||
<dict>
|
||||
<key>NSPrivacyAccessedAPIType</key>
|
||||
<string>NSPrivacyAccessedAPICategoryDiskSpace</string>
|
||||
<key>NSPrivacyAccessedAPITypeReasons</key>
|
||||
<array>
|
||||
<string>85F4.1</string>
|
||||
</array>
|
||||
</dict>
|
||||
</array>
|
||||
<key>NSPrivacyCollectedDataTypes</key>
|
||||
<array/>
|
||||
</dict>
|
||||
</plist>
|
||||
@@ -0,0 +1,24 @@
|
||||
//
|
||||
// ABaseViewController.h
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/5.
|
||||
//
|
||||
|
||||
#import <UIKit/UIKit.h>
|
||||
#import <Masonry/Masonry.h>
|
||||
#import "AMapNavCommonUtil.h"
|
||||
|
||||
#define kRoutePlanBarHeight (self.navigationController.navigationBar.frame.size.height + UIApplication.sharedApplication.statusBarFrame.size.height + 0)
|
||||
|
||||
#define kRoutePlanStatusBarHeight (UIApplication.sharedApplication.statusBarFrame.size.height + 0)
|
||||
|
||||
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface ABaseViewController : UIViewController
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,33 @@
|
||||
//
|
||||
// ABaseViewController.m
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/5.
|
||||
//
|
||||
|
||||
#import "ABaseViewController.h"
|
||||
|
||||
@interface ABaseViewController ()
|
||||
|
||||
@end
|
||||
|
||||
@implementation ABaseViewController
|
||||
|
||||
- (void)viewDidLoad {
|
||||
[super viewDidLoad];
|
||||
// Do any additional setup after loading the view.
|
||||
|
||||
self.view.backgroundColor = [UIColor whiteColor];
|
||||
}
|
||||
|
||||
/*
|
||||
#pragma mark - Navigation
|
||||
|
||||
// In a storyboard-based application, you will often want to do a little preparation before navigation
|
||||
- (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender {
|
||||
// Get the new view controller using [segue destinationViewController].
|
||||
// Pass the selected object to the new view controller.
|
||||
}
|
||||
*/
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,79 @@
|
||||
//
|
||||
// AMapHyStationModel.h
|
||||
// AMapNavIOSSDK
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
#import <MJExtension/MJExtension.h>
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
/**
|
||||
{
|
||||
"name": "嘉兴经开站",
|
||||
"shortName": null,
|
||||
"siteNo": null,
|
||||
"city": null,
|
||||
"address": "嘉兴市秀洲区岗山路272号",
|
||||
"contact": "龚明伟",
|
||||
"phone": "18888888888",
|
||||
"type": null,
|
||||
"coOpMode": null,
|
||||
"booking": null,
|
||||
"siteStatus": 0,
|
||||
"startBusiness": "06:00:00",
|
||||
"endBusiness": "22:00:00",
|
||||
"billingMethod": null,
|
||||
"term": null,
|
||||
"remark": null,
|
||||
"longitude": "120.75972800",
|
||||
"latitude": "30.79962800"
|
||||
}
|
||||
*/
|
||||
@interface AMapHyStationModel : NSObject
|
||||
|
||||
@property (nonatomic, copy) NSString *name;
|
||||
@property (nonatomic, copy, nullable) NSString *shortName;
|
||||
@property (nonatomic, copy, nullable) NSString *siteNo;
|
||||
@property (nonatomic, copy, nullable) NSString *city;
|
||||
@property (nonatomic, copy, nullable) NSString *address;
|
||||
@property (nonatomic, copy, nullable) NSString *contact;
|
||||
@property (nonatomic, copy, nullable) NSString *phone;
|
||||
@property (nonatomic, copy, nullable) NSString *type;
|
||||
@property (nonatomic, copy, nullable) NSString *coOpMode;
|
||||
@property (nonatomic, strong, nullable) NSString * booking;
|
||||
@property (nonatomic, assign) NSInteger siteStatus;
|
||||
@property (nonatomic, copy, nullable) NSString *startBusiness;
|
||||
@property (nonatomic, copy, nullable) NSString *endBusiness;
|
||||
@property (nonatomic, copy, nullable) NSString *billingMethod;
|
||||
@property (nonatomic, copy, nullable) NSString *term;
|
||||
@property (nonatomic, copy, nullable) NSString *remark;
|
||||
@property (nonatomic, copy, nullable) NSString *longitude;
|
||||
@property (nonatomic, copy, nullable) NSString *latitude;
|
||||
|
||||
@end
|
||||
|
||||
/**
|
||||
{
|
||||
"code": 0,
|
||||
"status": true,
|
||||
"message": "success",
|
||||
"data": [],
|
||||
"time": "1770800256408",
|
||||
"error": null
|
||||
}
|
||||
*/
|
||||
|
||||
@interface AMapHyResponse : NSObject
|
||||
@property (nonatomic, assign) NSInteger code;
|
||||
@property (nonatomic, assign) NSInteger status;
|
||||
@property (nonatomic, copy, nullable) NSString *message;
|
||||
@property (nonatomic, copy, nullable) NSString *time;
|
||||
@property (nonatomic, copy, nullable) NSString *error;
|
||||
|
||||
@property(nonatomic , strong)NSArray <AMapHyStationModel * > * data;
|
||||
|
||||
@end
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,21 @@
|
||||
//
|
||||
// AMapHyStationModel.m
|
||||
// AMapNavIOSSDK
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import "AMapHyStationModel.h"
|
||||
|
||||
@implementation AMapHyStationModel
|
||||
|
||||
@end
|
||||
|
||||
|
||||
@implementation AMapHyResponse
|
||||
|
||||
+ (NSDictionary *)mj_objectClassInArray {
|
||||
return @{@"data" : AMapHyStationModel.class};
|
||||
}
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,12 @@
|
||||
//
|
||||
// AMapNavSDKHeader.h
|
||||
// Pods
|
||||
//
|
||||
// Created by admin on 2026/2/10.
|
||||
//
|
||||
|
||||
#ifndef AMapNavSDKHeader_h
|
||||
#define AMapNavSDKHeader_h
|
||||
|
||||
|
||||
#endif /* AMapNavSDKHeader_h */
|
||||
@@ -0,0 +1,31 @@
|
||||
//
|
||||
// AMapNavSDKManager.h
|
||||
// Pods
|
||||
//
|
||||
// Created by admin on 2026/2/10.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
|
||||
#import "ARoutePlaneController.h"
|
||||
|
||||
#define kAMapSDKDebugFlag
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface AMapNavSDKManager : NSObject
|
||||
|
||||
@property (strong, nonatomic) UIWindow *window;
|
||||
|
||||
@property (nonatomic , strong) NSString * localCity;
|
||||
@property (nonatomic, copy) NSString * locationAddressDetail;
|
||||
|
||||
@property (nonatomic , strong , readonly) UIViewController * targetVC;
|
||||
|
||||
+ (instancetype)sharedManager;
|
||||
- (void)configWithKey:(NSString*)key;
|
||||
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,72 @@
|
||||
//
|
||||
// AMapNavSDKManager.m
|
||||
// Pods
|
||||
//
|
||||
// Created by admin on 2026/2/10.
|
||||
//
|
||||
|
||||
#import "AMapNavSDKManager.h"
|
||||
#import "AMapPrivacyUtility.h"
|
||||
|
||||
#import <AMapFoundationKit/AMapFoundationKit.h>
|
||||
|
||||
@interface AMapNavSDKManager ()
|
||||
@property (nonatomic , strong , readwrite) UIViewController * targetVC;
|
||||
@end
|
||||
|
||||
@implementation AMapNavSDKManager
|
||||
|
||||
+ (instancetype)sharedManager {
|
||||
static AMapNavSDKManager *manager = nil;
|
||||
static dispatch_once_t onceToken;
|
||||
dispatch_once(&onceToken, ^{
|
||||
manager = [[AMapNavSDKManager alloc] init];
|
||||
});
|
||||
return manager;
|
||||
}
|
||||
|
||||
- (instancetype)init {
|
||||
self = [super init];
|
||||
if (self) {
|
||||
_targetVC = [ARoutePlaneController new];
|
||||
}
|
||||
|
||||
return self;
|
||||
}
|
||||
|
||||
|
||||
|
||||
- (void)configWithKey:(NSString*)key {
|
||||
if (1) {
|
||||
/*
|
||||
* 调用隐私合规处理方法
|
||||
*/
|
||||
// [AMapPrivacyUtility handlePrivacyAgreeStatusIn:_targetVC];
|
||||
//
|
||||
// 初始化高德导航SDK
|
||||
[self configureAPIKey:key];
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
- (UIViewController *)targetVC {
|
||||
return _targetVC;
|
||||
}
|
||||
|
||||
#pragma mark - private
|
||||
- (void)configureAPIKey:(NSString*)key {
|
||||
if ([key length] == 0)
|
||||
{
|
||||
NSString *reason = [NSString stringWithFormat:@"apiKey为空,请检查key是否正确设置。"];
|
||||
|
||||
UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"提示" message:reason delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil, nil];
|
||||
|
||||
[alert show];
|
||||
}
|
||||
[AMapServices sharedServices].enableHTTPS = YES;
|
||||
[AMapServices sharedServices].apiKey = (NSString *)key;
|
||||
}
|
||||
|
||||
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,22 @@
|
||||
//
|
||||
// ARoutePlaneController.h
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/5.
|
||||
//
|
||||
|
||||
#import <UIKit/UIKit.h>
|
||||
#import "ABaseViewController.h"
|
||||
|
||||
#import "SelectableOverlay.h"
|
||||
#import "NaviPointAnnotation.h"
|
||||
|
||||
#import <AMapNaviKit/AMapNaviKit.h>
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface ARoutePlaneController : ABaseViewController
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,930 @@
|
||||
//
|
||||
// ARoutePlaneController.m
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/5.
|
||||
//
|
||||
|
||||
#import "ARoutePlaneController.h"
|
||||
|
||||
#import <AMapNaviKit/MAMapKit.h>
|
||||
#import <AMapNaviKit/AMapNaviKit.h>
|
||||
#import <AMapLocationKit/AMapLocationKit.h>
|
||||
#import <AMapSearchKit/AMapSearchAPI.h>
|
||||
|
||||
#import "ASearchAddressController.h"
|
||||
|
||||
#import "AMapNavSDKManager.h"
|
||||
|
||||
#import "AMapPrivacyUtility.h"
|
||||
|
||||
#define kRouteIndicatorViewHeight 64.f
|
||||
|
||||
#import "AMapHyStationModel.h"
|
||||
#import "AMapNavHttpUtil.h"
|
||||
|
||||
@interface ARoutePlaneController ()<MAMapViewDelegate, AMapNaviDriveManagerDelegate,AMapNaviCompositeManagerDelegate , AMapLocationManagerDelegate , UITextFieldDelegate >
|
||||
@property (nonatomic, strong) UITextField *textField;
|
||||
|
||||
@property (nonatomic, strong) MAMapView *mapView;
|
||||
@property (nonatomic,strong) AMapLocationManager *locationService; //定位服务
|
||||
|
||||
/**
|
||||
* 经纬度
|
||||
*/
|
||||
@property (nonatomic, assign) double latitude;
|
||||
@property (nonatomic, assign) double longitude;
|
||||
|
||||
|
||||
@property (nonatomic, strong) UITextField *startTf;
|
||||
@property (nonatomic, strong) UITextField *dstTf;
|
||||
@property (nonatomic, strong) UIButton *navBtn;
|
||||
|
||||
@property (nonatomic, strong) AMapPOI *startPoi;
|
||||
@property (nonatomic, strong) AMapPOI *dstPoi;
|
||||
|
||||
@property (nonatomic, strong) AMapNaviCompositeManager *compositeManager;//nav
|
||||
@property (nonatomic, assign) BOOL calRouteSuccess;
|
||||
|
||||
@property (nonatomic, strong) NSDictionary * currentCalRoutePaths;//当前规划的路线
|
||||
@property (nonatomic , assign)BOOL isStartNav;//开始导航
|
||||
@property (nonatomic, strong) NSArray * lastOverLays;
|
||||
|
||||
|
||||
@property (nonatomic , strong)NSArray * hyStationArr;//站点数据
|
||||
@property (nonatomic , assign)BOOL startQueryCurrnetNodeFlag;//开始查询当前节点;
|
||||
|
||||
@end
|
||||
|
||||
@implementation ARoutePlaneController
|
||||
|
||||
- (void)viewDidLoad {
|
||||
[super viewDidLoad];
|
||||
_startQueryCurrnetNodeFlag = NO;
|
||||
|
||||
[self observePrivacyStatus];
|
||||
[self checkPrivacyStatus];
|
||||
|
||||
////
|
||||
// [self.naviManager independentCalculateDriveRouteWithStartPOIInfo:startPOIInfo
|
||||
// endPOIInfo:endPOIInfo
|
||||
// wayPOIInfos:wayPOIInfos
|
||||
// strategy:AMapNaviDrivingStrategyMultipleDefault
|
||||
// callback:^(AMapNaviRouteGroup *routeGroup, NSError *error) {
|
||||
// if (error == nil) {
|
||||
// // 算路成功,routeGroup 包含路线数据
|
||||
// [self startNaviWithRoute:routeGroup];
|
||||
// }
|
||||
// }];
|
||||
|
||||
}
|
||||
|
||||
- (void)viewDidAppear:(BOOL)animated {
|
||||
[super viewDidAppear:animated];
|
||||
|
||||
|
||||
[AMapPrivacyUtility handlePrivacyAgreeStatusIn:self];
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - request
|
||||
-(void)requestHyListWithParms:(NSDictionary*)dic {
|
||||
NSString * url = @"https://beta-esg.api.lnh2e.com/appointment/station/getNearbyHydrogenStationsByLocation";
|
||||
|
||||
/**
|
||||
//汽车公园有数据
|
||||
"longitude": "121.30461400",
|
||||
"latitude": "31.17321100"
|
||||
*/
|
||||
// NSDictionary * dic = @{@"longitude":@"121.16661700" , @"latitude":@"31.27981600"};
|
||||
|
||||
|
||||
[AMapNavHttpUtil postRequestWithURL:url parameters:dic requestHeader:@{@"Content-Type":@"application/json; charset=UTF-8"} successHandler:^(NSDictionary * _Nonnull data, NSURLResponse * _Nonnull response) {
|
||||
AMapHyResponse * resp = [AMapHyResponse mj_objectWithKeyValues:data];
|
||||
if (resp.code == 0 && resp.data) {
|
||||
NSArray * allData = resp.data;
|
||||
NSArray * dst = allData;
|
||||
NSInteger len = allData.count;
|
||||
if (allData.count > len) {
|
||||
dst = [resp.data subarrayWithRange:NSMakeRange(0, len)];
|
||||
}
|
||||
|
||||
[self updateMapAnnotationWithData:dst];
|
||||
}else {
|
||||
NSLog(@">>>>>>>请求站点:%@" ,resp.message);
|
||||
}
|
||||
|
||||
} failureHandler:^(NSError * _Nonnull error) {
|
||||
NSLog(@">>>>>>>请求站点err:%@" ,error.debugDescription);
|
||||
}];
|
||||
}
|
||||
|
||||
-(void)requestHyDetailWithParms:(NSDictionary*)dic {
|
||||
NSString * url = @"https://beta-esg.api.lnh2e.com/appointment/station/getStationInfoByArea";
|
||||
|
||||
[AMapNavHttpUtil postRequestWithURL:url parameters:dic requestHeader:@{@"Content-Type":@"application/json; charset=UTF-8"} successHandler:^(NSDictionary * _Nonnull data, NSURLResponse * _Nonnull response) {
|
||||
AMapHyResponse * resp = [AMapHyResponse mj_objectWithKeyValues:data];
|
||||
if (resp.code == 0) {
|
||||
NSDictionary * resData = data[@"data"];
|
||||
AMapHyStationModel * station = [AMapHyStationModel mj_objectWithKeyValues:resData];
|
||||
[self updateHeadAddressWithStation:station];
|
||||
}else {
|
||||
NSLog(@">>>>>>>请求站点detail:%@" ,resp.message);
|
||||
}
|
||||
|
||||
} failureHandler:^(NSError * _Nonnull error) {
|
||||
NSLog(@">>>>>>>请求站点err:%@" ,error.debugDescription);
|
||||
}];
|
||||
}
|
||||
|
||||
|
||||
-(void)updateHeadAddressWithStation:(AMapHyStationModel*)model {
|
||||
|
||||
AMapPOI * aoi = [[AMapPOI alloc] init];
|
||||
|
||||
aoi.location = [AMapGeoPoint locationWithLatitude:[model.latitude doubleValue] longitude:[model.longitude doubleValue]];
|
||||
|
||||
aoi.name = model.name;
|
||||
|
||||
self.dstPoi = aoi;
|
||||
|
||||
///地址栏
|
||||
[self updateUIWithData:aoi textField:self.dstTf];
|
||||
|
||||
|
||||
///地图显示
|
||||
[self updateMapAnnotationWithData:@[model]];
|
||||
}
|
||||
|
||||
-(void)updateMapAnnotationWithData:(NSArray *)dataArr {
|
||||
self.hyStationArr = dataArr;
|
||||
if (!(dataArr && dataArr.count > 0)) {
|
||||
return;
|
||||
}
|
||||
|
||||
///添加标注
|
||||
NSMutableArray * points = [NSMutableArray arrayWithCapacity:dataArr.count];
|
||||
for (AMapHyStationModel * model in dataArr) {
|
||||
MAPointAnnotation *pointAnnotation = [[MAPointAnnotation alloc] init];
|
||||
if (!(model.latitude && model.longitude)) {
|
||||
continue;
|
||||
}
|
||||
|
||||
pointAnnotation.coordinate = CLLocationCoordinate2DMake([model.latitude doubleValue], [model.longitude doubleValue]);
|
||||
pointAnnotation.title = model.name;
|
||||
[points addObject:pointAnnotation];
|
||||
}
|
||||
|
||||
// 1. 先获取当前地图区域
|
||||
// MACoordinateRegion currentRegion = self.mapView.region;
|
||||
|
||||
// 2. 添加标注但不改变地图显示
|
||||
[self.mapView addAnnotations:points];
|
||||
|
||||
// 保持地图中心点为当前位置
|
||||
if (self.latitude && self.longitude) {
|
||||
[self.mapView setCenterCoordinate: CLLocationCoordinate2DMake(self.latitude, self.longitude) animated:YES];
|
||||
}
|
||||
|
||||
// 3. 保持当前区域不变
|
||||
// [self.mapView setRegion:currentRegion animated:NO];
|
||||
|
||||
|
||||
}
|
||||
|
||||
#pragma mark -
|
||||
-(void)initSubview {
|
||||
UITextField * startTf = [[UITextField alloc] init];
|
||||
startTf.borderStyle = UITextBorderStyleRoundedRect;
|
||||
startTf.placeholder = @"起点";
|
||||
startTf.tag = 100;
|
||||
startTf.delegate = self;
|
||||
startTf.font = [UIFont systemFontOfSize:13];
|
||||
[self.view addSubview:startTf];
|
||||
|
||||
[startTf mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.top.mas_equalTo(self.view).offset(kRoutePlanStatusBarHeight + 35);
|
||||
make.left.mas_equalTo(self.view).offset(5);
|
||||
make.width.mas_equalTo(@120);
|
||||
make.height.mas_equalTo(@32);
|
||||
}];
|
||||
|
||||
self.startTf = startTf;
|
||||
|
||||
UITextField * dstTf = [[UITextField alloc] init];
|
||||
dstTf.borderStyle = UITextBorderStyleRoundedRect;
|
||||
dstTf.placeholder = @"终点";
|
||||
dstTf.tag = 200;
|
||||
dstTf.delegate = self;
|
||||
dstTf.font = [UIFont systemFontOfSize:13];
|
||||
|
||||
[self.view addSubview:dstTf];
|
||||
|
||||
[dstTf mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.centerY.mas_equalTo(startTf);
|
||||
make.left.mas_equalTo(startTf.mas_right).offset(15);
|
||||
// make.right.mas_equalTo(self.view).offset(-5);
|
||||
make.width.height.mas_equalTo(startTf);
|
||||
}];
|
||||
self.dstTf = dstTf;
|
||||
|
||||
UIButton * btn = [UIButton buttonWithType:UIButtonTypeCustom];
|
||||
[btn setTitle:@"规划线路" forState:UIControlStateNormal];
|
||||
btn.backgroundColor = [UIColor whiteColor];
|
||||
btn.titleLabel.font = [UIFont systemFontOfSize:14];
|
||||
|
||||
btn.layer.borderColor = [UIColor blueColor].CGColor;
|
||||
btn.layer.borderWidth = 1;
|
||||
btn.layer.cornerRadius = 5;
|
||||
|
||||
[btn setTitleColor:[UIColor blueColor] forState:UIControlStateNormal];
|
||||
[btn addTarget:self action:@selector(calRoutePath) forControlEvents:UIControlEventTouchUpInside];
|
||||
[self.view addSubview:btn];
|
||||
[btn mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.left.equalTo(dstTf.mas_right).offset(12);
|
||||
make.top.mas_equalTo(startTf);
|
||||
make.right.mas_equalTo(self.view).offset(-5);
|
||||
make.height.mas_equalTo(@30);
|
||||
}];
|
||||
|
||||
|
||||
UIButton * navBtn = [UIButton buttonWithType:UIButtonTypeCustom];
|
||||
[navBtn setTitle:@"导航>" forState:UIControlStateNormal];
|
||||
navBtn.backgroundColor = [UIColor whiteColor];
|
||||
navBtn.titleLabel.font = [UIFont systemFontOfSize:14];
|
||||
|
||||
navBtn.layer.borderColor = [UIColor blueColor].CGColor;
|
||||
navBtn.layer.borderWidth = 1;
|
||||
navBtn.layer.cornerRadius = 6;
|
||||
|
||||
[navBtn setTitleColor:[UIColor blueColor] forState:UIControlStateNormal];
|
||||
[navBtn addTarget:self action:@selector(navAction) forControlEvents:UIControlEventTouchUpInside];
|
||||
[self.view addSubview:navBtn];
|
||||
[navBtn mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
// make.left.equalTo(self.view).offset(12);
|
||||
// make.centerX.equalTo(self.view);
|
||||
make.right.equalTo(self.view).offset(-15);
|
||||
make.bottom.equalTo(self.view).offset(-118);
|
||||
make.height.mas_equalTo(@30);
|
||||
make.width.mas_equalTo(@60);
|
||||
}];
|
||||
|
||||
|
||||
[self.mapView mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.left.right.equalTo(self.view);
|
||||
// make.top.equalTo(startTf.mas_bottom).offset(5);
|
||||
make.top.equalTo(self.view).offset(0);
|
||||
// make.bottom.equalTo(navBtn.mas_top).offset(-3);
|
||||
make.bottom.equalTo(self.view).offset(0);
|
||||
}];
|
||||
|
||||
[self.view bringSubviewToFront:navBtn];
|
||||
}
|
||||
|
||||
- (void)initDriveManager
|
||||
{
|
||||
//请在 dealloc 函数中执行 [AMapNaviDriveManager destroyInstance] 来销毁单例
|
||||
[[AMapNaviDriveManager sharedInstance] setDelegate:self];
|
||||
}
|
||||
|
||||
|
||||
- (void)initMapView
|
||||
{
|
||||
if (self.mapView == nil)
|
||||
{
|
||||
self.mapView = [[MAMapView alloc] initWithFrame:CGRectZero];
|
||||
[self.mapView setDelegate:self];
|
||||
self.mapView.showsUserLocation = YES;
|
||||
self.mapView.userTrackingMode = MAUserTrackingModeFollowWithHeading;
|
||||
self.mapView.desiredAccuracy = kCLLocationAccuracyNearestTenMeters; // 定位精度
|
||||
_mapView.showsScale= YES;
|
||||
|
||||
CGFloat ze = self.mapView.zoomLevel;
|
||||
self.mapView.zoomLevel = 9;
|
||||
|
||||
// 2. 禁用所有不必要的动画和自动调整
|
||||
// self.mapView.autoresizesSubviews = NO;
|
||||
// [self.mapView setShowsWorldMap:NO]; // 不显示世界地图
|
||||
|
||||
// 3. 固定缩放级别
|
||||
// [self.mapView setMinZoomLevel:6.0];
|
||||
// [self.mapView setMaxZoomLevel:20.0];
|
||||
// [self.mapView setZoomLevel:10.0 animated:NO];
|
||||
|
||||
|
||||
// 4. 禁用自动调整
|
||||
// [self.mapView setAutoCheckMapBoundary:NO];
|
||||
|
||||
[self.view addSubview:self.mapView];
|
||||
|
||||
if (@available(iOS 14.0, *)) {
|
||||
// iOS14+ 需要额外处理
|
||||
CLAuthorizationStatus status = [[[CLLocationManager alloc] init] authorizationStatus];
|
||||
if (status == kCLAuthorizationStatusNotDetermined) {
|
||||
[[[CLLocationManager alloc] init] requestWhenInUseAuthorization];
|
||||
}
|
||||
}
|
||||
|
||||
///TEST
|
||||
// MAPointAnnotation *pointAnnotation = [[MAPointAnnotation alloc] init];
|
||||
// pointAnnotation.coordinate = CLLocationCoordinate2DMake(31.19, 121.32);
|
||||
// pointAnnotation.title = @"嘉兴经开站";
|
||||
// [_mapView addAnnotation:pointAnnotation];
|
||||
//
|
||||
// MAPointAnnotation *pointAnnotation2 = [[MAPointAnnotation alloc] init];
|
||||
// pointAnnotation2.coordinate = CLLocationCoordinate2DMake(30.81669400, 120.94291800);
|
||||
// pointAnnotation2.title = @"测试站点1";
|
||||
// [_mapView addAnnotation:pointAnnotation2];
|
||||
|
||||
|
||||
|
||||
UIButton * btn = [UIButton buttonWithType:UIButtonTypeCustom];
|
||||
[btn setImage:[AMapNavCommonUtil imageWithName:@"icon_local"] forState:UIControlStateNormal];
|
||||
btn.backgroundColor = [UIColor lightGrayColor];
|
||||
btn.titleLabel.font = [UIFont systemFontOfSize:14];
|
||||
btn.layer.cornerRadius = 20;
|
||||
|
||||
[btn addTarget:self action:@selector(updateUserLocalAction) forControlEvents:UIControlEventTouchUpInside];
|
||||
|
||||
[self.view addSubview:btn];
|
||||
[btn mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.right.equalTo(self.view).offset(-10);
|
||||
make.width.height.equalTo(@40);
|
||||
make.top.equalTo(self.view).offset(150);
|
||||
}];
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
-(void)updateUserLocalAction {
|
||||
// 如果已经有位置,直接移动视角
|
||||
if (_mapView.userLocation.location) {
|
||||
CLLocationCoordinate2D coord = CLLocationCoordinate2DMake(self.latitude, self.longitude);
|
||||
|
||||
[_mapView setCenterCoordinate:coord animated:YES];
|
||||
// [_mapView setZoomLevel:10 animated:YES];
|
||||
} else {
|
||||
// 如果尚未获取到位置,进入跟踪模式等待回调
|
||||
[_mapView setUserTrackingMode:MAUserTrackingModeFollow animated:YES];
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
- (void)initAnnotations
|
||||
{
|
||||
NaviPointAnnotation *beginAnnotation = [[NaviPointAnnotation alloc] init];
|
||||
[beginAnnotation setCoordinate:CLLocationCoordinate2DMake(self.startPoi.location.latitude, self.startPoi.location.longitude)];
|
||||
beginAnnotation.title = @"起始点";
|
||||
beginAnnotation.navPointType = NaviPointAnnotationStart;
|
||||
|
||||
[self.mapView addAnnotation:beginAnnotation];
|
||||
|
||||
// NaviPointAnnotation *endAnnotation = [[NaviPointAnnotation alloc] init];
|
||||
// [endAnnotation setCoordinate:CLLocationCoordinate2DMake(self.dstPoi.location.latitude, self.dstPoi.location.longitude)];
|
||||
// endAnnotation.title = @"终点";
|
||||
// endAnnotation.navPointType = NaviPointAnnotationEnd;
|
||||
//
|
||||
// [self.mapView addAnnotation:endAnnotation];
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
- (AMapLocationManager *)locationService {
|
||||
if (!_locationService) {
|
||||
_locationService = [[AMapLocationManager alloc] init];
|
||||
_locationService.delegate = self;
|
||||
_locationService.desiredAccuracy = kCLLocationAccuracyBest; // 最高精度模式
|
||||
_locationService.distanceFilter = 5;
|
||||
_locationService.locatingWithReGeocode = YES;
|
||||
}
|
||||
return _locationService;
|
||||
}
|
||||
|
||||
|
||||
|
||||
- (void)dealloc {
|
||||
[self.locationService stopUpdatingLocation];
|
||||
|
||||
}
|
||||
|
||||
- (AMapNaviCompositeManager *)compositeManager {
|
||||
|
||||
if (!_compositeManager) {
|
||||
_compositeManager = [[AMapNaviCompositeManager alloc] init]; // 初始化
|
||||
_compositeManager.delegate = self; // 如果需要使用AMapNaviCompositeManagerDelegate的相关回调(如自定义语音、获取实时位置等),需要设置delegate
|
||||
}
|
||||
return _compositeManager;
|
||||
}
|
||||
|
||||
// 监听隐私状态变化
|
||||
- (void)observePrivacyStatus {
|
||||
[[NSNotificationCenter defaultCenter] addObserver:self
|
||||
selector:@selector(handlePrivacyUpdate)
|
||||
name:@"ksAMapPrivacyDidUpdateNotification" // 自定义通知
|
||||
object:nil];
|
||||
}
|
||||
|
||||
-(void)handlePrivacyUpdate {
|
||||
[self checkPrivacyStatus];
|
||||
|
||||
}
|
||||
|
||||
// 检查当前隐私状态
|
||||
- (void)checkPrivacyStatus {
|
||||
BOOL hasAgreed = [[NSUserDefaults standardUserDefaults] boolForKey:@"usragreeStatus"];
|
||||
|
||||
if (hasAgreed) {
|
||||
|
||||
/// 开启定位
|
||||
[self.locationService startUpdatingLocation];
|
||||
// [self.mapView reloadMap];
|
||||
|
||||
[self initMapView];
|
||||
[self initSubview];
|
||||
|
||||
[self initDriveManager];
|
||||
|
||||
} else {
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
#pragma mark - Action
|
||||
///选择方式
|
||||
-(void)navAction {
|
||||
[self showSelectNavType];
|
||||
}
|
||||
|
||||
-(void)showSelectNavType {
|
||||
UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"选择导航类型" message:nil preferredStyle:UIAlertControllerStyleActionSheet];
|
||||
UIAlertAction *sure = [UIAlertAction actionWithTitle:@"SDK导航" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
[self navigationType_sdk];
|
||||
}];
|
||||
UIAlertAction *sure2 = [UIAlertAction actionWithTitle:@"高德地图导航" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
|
||||
[self navigationType_app];
|
||||
}];
|
||||
|
||||
UIAlertAction *cancel = [UIAlertAction actionWithTitle:@"取消" style:UIAlertActionStyleCancel handler:^(UIAlertAction * _Nonnull action) {
|
||||
}];
|
||||
|
||||
[alert addAction:sure];
|
||||
[alert addAction:sure2];
|
||||
[alert addAction:cancel];
|
||||
|
||||
[self presentViewController:alert animated:YES completion:nil];
|
||||
}
|
||||
|
||||
-(void)navigationType_app {
|
||||
|
||||
NSURL* scheme = [NSURL URLWithString:@"iosamap://"];
|
||||
BOOL canOpen = [[UIApplication sharedApplication] canOpenURL:scheme];
|
||||
if (!canOpen) {
|
||||
[self showAlertWithMessage:@"请先安装高德地图客户端"]; return;
|
||||
}
|
||||
|
||||
NSString *myLocationScheme = [NSString stringWithFormat:@"iosamap://navi?sourceApplication=ANavDemo&lat=31.2304&lon=121.4737&t=0&dev=1"];
|
||||
|
||||
NSString *encodedUrlString = [myLocationScheme stringByAddingPercentEncodingWithAllowedCharacters:[NSCharacterSet URLQueryAllowedCharacterSet]];
|
||||
|
||||
NSURL *gaodeUrl = [NSURL URLWithString:encodedUrlString];
|
||||
|
||||
|
||||
[[UIApplication sharedApplication] openURL:gaodeUrl options:@{} completionHandler:^(BOOL res) {
|
||||
|
||||
}];
|
||||
|
||||
}
|
||||
|
||||
-(void)navigationType_sdk {
|
||||
id delegate = [AMapNaviDriveManager sharedInstance].delegate;
|
||||
if (!delegate) {
|
||||
[AMapNaviDriveManager sharedInstance].delegate = self;
|
||||
}
|
||||
|
||||
|
||||
NSDictionary * routes = [AMapNaviDriveManager sharedInstance].naviRoutes;
|
||||
if (!routes) {
|
||||
NSLog(@"暂无路线信息!!!!!!!!!");
|
||||
self.isStartNav = YES;
|
||||
[self calRoutePath];
|
||||
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
AMapNaviCompositeUserConfig *config = [[AMapNaviCompositeUserConfig alloc] init];
|
||||
|
||||
// [config setRoutePlanPOIType:AMapNaviRoutePlanPOITypeEnd location:[AMapNaviPoint locationWithLatitude:32.21 longitude:121.34] name:@"故宫22" POIId:nil];
|
||||
|
||||
[config setStartNaviDirectly:YES]; //直接进入导航界面
|
||||
[config setNeedCalculateRouteWhenPresent:NO];//不在算路
|
||||
[config setMultipleRouteNaviMode:NO];//直接单线路径导航
|
||||
// [config setNeedDestoryDriveManagerInstanceWhenDismiss:NO];
|
||||
|
||||
self.isStartNav = NO;
|
||||
|
||||
[self.compositeManager presentRoutePlanViewControllerWithOptions:config];
|
||||
|
||||
}
|
||||
|
||||
|
||||
#pragma mark - 计算线路
|
||||
///计算线路
|
||||
-(void)calRoutePath {
|
||||
// [self.mapView removeOverlays:self.mapView.overlays];
|
||||
// self.startTf.text = @"click calpath";
|
||||
// return;
|
||||
|
||||
[self initAnnotations];
|
||||
|
||||
AMapNaviPoint * startPoint = [AMapNaviPoint locationWithLatitude:self.startPoi.location.latitude longitude:self.startPoi.location.longitude];
|
||||
|
||||
AMapNaviPoint * endPoint = [AMapNaviPoint locationWithLatitude:self.dstPoi.location.latitude longitude:self.dstPoi.location.longitude];
|
||||
|
||||
AMapNaviDrivingStrategy strategy = ConvertDrivingPreferenceToDrivingStrategy(0,
|
||||
0,
|
||||
0,
|
||||
0,
|
||||
0);
|
||||
|
||||
id delegate = [AMapNaviDriveManager sharedInstance].delegate;
|
||||
if (!delegate) {
|
||||
[AMapNaviDriveManager sharedInstance].delegate = self;
|
||||
}
|
||||
|
||||
[[AMapNaviDriveManager sharedInstance] calculateDriveRouteWithStartPoints:@[startPoint]
|
||||
endPoints:@[endPoint]
|
||||
wayPoints:nil
|
||||
drivingStrategy:strategy];
|
||||
|
||||
}
|
||||
|
||||
|
||||
- (void)driveManagerOnCalculateRouteSuccess:(AMapNaviDriveManager *)driveManager
|
||||
{
|
||||
NSLog(@"onCalculateRouteSuccess");
|
||||
//算路成功后显示路径
|
||||
[self showNaviRoutes];
|
||||
}
|
||||
|
||||
- (void)showNaviRoutes
|
||||
{
|
||||
if ([[AMapNaviDriveManager sharedInstance].naviRoutes count] <= 0)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
self.lastOverLays = self.mapView.overlays;
|
||||
[self.mapView removeOverlays:self.mapView.overlays];
|
||||
// [self.routeIndicatorInfoArray removeAllObjects];
|
||||
|
||||
self.currentCalRoutePaths = [AMapNaviDriveManager sharedInstance].naviRoutes;
|
||||
|
||||
|
||||
NSInteger routeId = 0;
|
||||
|
||||
//将路径显示到地图上
|
||||
for (NSNumber *aRouteID in [[AMapNaviDriveManager sharedInstance].naviRoutes allKeys])
|
||||
{
|
||||
AMapNaviRoute *aRoute = [[[AMapNaviDriveManager sharedInstance] naviRoutes] objectForKey:aRouteID];
|
||||
int count = (int)[[aRoute routeCoordinates] count];
|
||||
|
||||
//添加路径Polyline
|
||||
CLLocationCoordinate2D *coords = (CLLocationCoordinate2D *)malloc(count * sizeof(CLLocationCoordinate2D));
|
||||
for (int i = 0; i < count; i++)
|
||||
{
|
||||
AMapNaviPoint *coordinate = [[aRoute routeCoordinates] objectAtIndex:i];
|
||||
coords[i].latitude = [coordinate latitude];
|
||||
coords[i].longitude = [coordinate longitude];
|
||||
}
|
||||
|
||||
MAPolyline *polyline = [MAPolyline polylineWithCoordinates:coords count:count];
|
||||
|
||||
SelectableOverlay *selectablePolyline = [[SelectableOverlay alloc] initWithOverlay:polyline];
|
||||
[selectablePolyline setRouteID:[aRouteID integerValue]];
|
||||
|
||||
[self.mapView addOverlay:selectablePolyline];
|
||||
free(coords);
|
||||
|
||||
routeId = [aRouteID integerValue];
|
||||
|
||||
}
|
||||
|
||||
// 1. 先获取当前地图区域
|
||||
MACoordinateRegion currentRegion = self.mapView.region;
|
||||
|
||||
[self.mapView showAnnotations:self.mapView.annotations animated:NO];
|
||||
|
||||
// 3. 保持当前区域不变
|
||||
[self.mapView setRegion:currentRegion animated:NO];
|
||||
|
||||
[self selectNaviRouteWithID:routeId];
|
||||
|
||||
///如果已开始导航,直接进入导航
|
||||
if (self.isStartNav) {
|
||||
[self navigationType_sdk];
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
- (void)selectNaviRouteWithID:(NSInteger)routeID
|
||||
{
|
||||
//在开始导航前进行路径选择
|
||||
if ([[AMapNaviDriveManager sharedInstance] selectNaviRouteWithRouteID:routeID])
|
||||
{
|
||||
[self selecteOverlayWithRouteID:routeID];
|
||||
}
|
||||
else
|
||||
{
|
||||
NSLog(@"路径选择失败!");
|
||||
}
|
||||
}
|
||||
|
||||
- (void)selecteOverlayWithRouteID:(NSInteger)routeID
|
||||
{
|
||||
[self.mapView.overlays enumerateObjectsWithOptions:NSEnumerationReverse usingBlock:^(id<MAOverlay> overlay, NSUInteger idx, BOOL *stop)
|
||||
{
|
||||
if ([overlay isKindOfClass:[SelectableOverlay class]])
|
||||
{
|
||||
SelectableOverlay *selectableOverlay = overlay;
|
||||
|
||||
/* 获取overlay对应的renderer. */
|
||||
MAPolylineRenderer * overlayRenderer = (MAPolylineRenderer *)[self.mapView rendererForOverlay:selectableOverlay];
|
||||
|
||||
if (selectableOverlay.routeID == routeID)
|
||||
{
|
||||
/* 设置选中状态. */
|
||||
selectableOverlay.selected = YES;
|
||||
|
||||
/* 修改renderer选中颜色. */
|
||||
overlayRenderer.fillColor = selectableOverlay.selectedColor;
|
||||
overlayRenderer.strokeColor = selectableOverlay.selectedColor;
|
||||
|
||||
/* 修改overlay覆盖的顺序. */
|
||||
[self.mapView exchangeOverlayAtIndex:idx withOverlayAtIndex:self.mapView.overlays.count - 1];
|
||||
}
|
||||
else
|
||||
{
|
||||
/* 设置选中状态. */
|
||||
selectableOverlay.selected = NO;
|
||||
|
||||
/* 修改renderer选中颜色. */
|
||||
overlayRenderer.fillColor = selectableOverlay.regularColor;
|
||||
overlayRenderer.strokeColor = selectableOverlay.regularColor;
|
||||
}
|
||||
}
|
||||
}];
|
||||
}
|
||||
|
||||
#pragma mark - AMapLocationManagerDelegate
|
||||
- (void)amapLocationManager:(AMapLocationManager *)manager didUpdateLocation:(CLLocation *)location reGeocode:(AMapLocationReGeocode *)reGeocode
|
||||
{
|
||||
if (!location) {
|
||||
return;
|
||||
}
|
||||
self.latitude = location.coordinate.latitude;
|
||||
self.longitude = location.coordinate.longitude;
|
||||
|
||||
AMapNavSDKManager * sdk = [AMapNavSDKManager sharedManager];
|
||||
sdk.localCity = reGeocode.city;
|
||||
sdk.locationAddressDetail = reGeocode.POIName;
|
||||
|
||||
// 设置地图中心为用户位置
|
||||
// MACoordinateRegion region = MACoordinateRegionMake(location.coordinate,
|
||||
// MACoordinateSpanMake(0.1, 0.1));
|
||||
// [self.mapView setRegion:region animated:YES];
|
||||
|
||||
|
||||
//更新出发点
|
||||
AMapPOI * aoi = [[AMapPOI alloc] init];
|
||||
#ifdef kAMapSDKDebugFlag
|
||||
aoi.location = [AMapGeoPoint locationWithLatitude:31.23 longitude:121.48 ];
|
||||
aoi.name =@"人民大道185号";
|
||||
#else
|
||||
aoi.location = [AMapGeoPoint locationWithLatitude:self.latitude longitude:self.longitude ];
|
||||
aoi.name = reGeocode.POIName;
|
||||
#endif
|
||||
|
||||
self.startPoi = aoi;
|
||||
[self updateUIWithData:aoi textField:self.startTf];
|
||||
|
||||
//获取附近站点
|
||||
if (!self.startQueryCurrnetNodeFlag && reGeocode) {
|
||||
self.startQueryCurrnetNodeFlag = YES;
|
||||
NSString * province = reGeocode.province;
|
||||
NSString * city = reGeocode.city;
|
||||
NSString * district = reGeocode.district;
|
||||
NSString * longitude = [NSString stringWithFormat:@"%f",self.longitude];
|
||||
NSString * latitude = [NSString stringWithFormat:@"%f",self.latitude];
|
||||
|
||||
if (province && city && district) {
|
||||
NSDictionary * dic = @{@"province":province , @"city":city , @"district":district , @"longitude":longitude , @"latitude":latitude};
|
||||
|
||||
[self requestHyDetailWithParms:dic];
|
||||
}
|
||||
|
||||
[self requestHyListWithParms:@{@"longitude":longitude , @"latitude":latitude}];
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - MAMapView 渲染
|
||||
|
||||
- (MAAnnotationView *)mapView:(MAMapView *)mapView viewForAnnotation:(id<MAAnnotation>)annotation
|
||||
{
|
||||
if ([annotation isKindOfClass:[NaviPointAnnotation class]])
|
||||
{
|
||||
static NSString *annotationIdentifier = @"NaviPointAnnotationIdentifier";
|
||||
|
||||
MAPinAnnotationView *pointAnnotationView = (MAPinAnnotationView*)[self.mapView dequeueReusableAnnotationViewWithIdentifier:annotationIdentifier];
|
||||
if (pointAnnotationView == nil)
|
||||
{
|
||||
pointAnnotationView = [[MAPinAnnotationView alloc] initWithAnnotation:annotation
|
||||
reuseIdentifier:annotationIdentifier];
|
||||
}
|
||||
|
||||
pointAnnotationView.animatesDrop = NO;
|
||||
pointAnnotationView.canShowCallout = YES;
|
||||
pointAnnotationView.draggable = NO;
|
||||
|
||||
NaviPointAnnotation *navAnnotation = (NaviPointAnnotation *)annotation;
|
||||
|
||||
if (navAnnotation.navPointType == NaviPointAnnotationStart)
|
||||
{
|
||||
[pointAnnotationView setPinColor:MAPinAnnotationColorGreen];
|
||||
}
|
||||
else if (navAnnotation.navPointType == NaviPointAnnotationEnd)
|
||||
{
|
||||
[pointAnnotationView setPinColor:MAPinAnnotationColorRed];
|
||||
}
|
||||
|
||||
return pointAnnotationView;
|
||||
}
|
||||
|
||||
if ( [annotation isMemberOfClass:[MAPointAnnotation class]])
|
||||
{
|
||||
MAUserLocation *user = (MAUserLocation *)annotation;
|
||||
|
||||
static NSString *pointReuseIndentifier = @"pointReuseIndentifier";
|
||||
MAPinAnnotationView*annotationView = (MAPinAnnotationView*)[mapView dequeueReusableAnnotationViewWithIdentifier:pointReuseIndentifier];
|
||||
if (annotationView == nil)
|
||||
{
|
||||
annotationView = [[MAPinAnnotationView alloc] initWithAnnotation:annotation reuseIdentifier:pointReuseIndentifier];
|
||||
}
|
||||
annotationView.canShowCallout= YES; //设置气泡可以弹出,默认为NO
|
||||
annotationView.animatesDrop = NO; //设置标注动画显示,默认为NO
|
||||
annotationView.draggable = NO; //设置标注可以拖动,默认为NO
|
||||
annotationView.pinColor = MAPinAnnotationColorPurple;
|
||||
|
||||
// 设置自定义的气泡背景色
|
||||
if (@available(iOS 14.0, *)) {
|
||||
// iOS 14+ 可以使用 tintColor
|
||||
annotationView.tintColor = [UIColor systemBlueColor];
|
||||
} else {
|
||||
// iOS 13 及以下
|
||||
annotationView.tintColor = [UIColor colorWithRed:0.1 green:0.6 blue:0.9 alpha:1.0];
|
||||
}
|
||||
|
||||
return annotationView;
|
||||
}
|
||||
|
||||
return nil;
|
||||
}
|
||||
|
||||
- (MAOverlayRenderer *)mapView:(MAMapView *)mapView rendererForOverlay:(id<MAOverlay>)overlay
|
||||
{
|
||||
if ([overlay isKindOfClass:[SelectableOverlay class]])
|
||||
{
|
||||
SelectableOverlay * selectableOverlay = (SelectableOverlay *)overlay;
|
||||
id<MAOverlay> actualOverlay = selectableOverlay.overlay;
|
||||
|
||||
MAPolylineRenderer *polylineRenderer = [[MAPolylineRenderer alloc] initWithPolyline:actualOverlay];
|
||||
|
||||
polylineRenderer.lineWidth = 8.f;
|
||||
polylineRenderer.strokeColor = selectableOverlay.isSelected ? selectableOverlay.selectedColor : selectableOverlay.regularColor;
|
||||
|
||||
return polylineRenderer;
|
||||
}
|
||||
|
||||
return nil;
|
||||
}
|
||||
|
||||
// 当地图添加完标注视图后调用
|
||||
- (void)mapView:(MAMapView *)mapView didAddAnnotationViews:(NSArray *)views {
|
||||
// 遍历所有被添加的标注视图
|
||||
# if 0
|
||||
for (MAAnnotationView *view in views) {
|
||||
// 检查是否为需要的标注类型,例如大头针标注
|
||||
if ([view.annotation isMemberOfClass:[MAPointAnnotation class]]) {
|
||||
// 延迟零点几秒执行,以确保视图添加动画完成(可选,但可使效果更平滑)
|
||||
dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(0.1 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
|
||||
// 选中该标注,从而使其气泡弹出
|
||||
[mapView selectAnnotation:view.annotation animated:YES];
|
||||
});
|
||||
}
|
||||
}
|
||||
#endif
|
||||
}
|
||||
|
||||
- (void)mapView:(MAMapView *)mapView didSelectAnnotationView:(MAAnnotationView *)view {
|
||||
NSLog(@"didSelectAnnotationView: %s" , __func__);
|
||||
|
||||
}
|
||||
|
||||
|
||||
// 当标注被取消选中时调用
|
||||
- (void)mapView:(MAMapView *)mapView didDeselectAnnotationView:(MAAnnotationView *)view {
|
||||
if ([view.annotation isMemberOfClass:[MAPointAnnotation class]]) {
|
||||
// 可以立即或稍作延迟后重新选中
|
||||
// [mapView selectAnnotation:view.annotation animated:NO];
|
||||
}
|
||||
}
|
||||
|
||||
//选中一个点
|
||||
- (void)mapView:(MAMapView *)mapView didAnnotationViewCalloutTapped:(MAAnnotationView *)view {
|
||||
id pointAnnotation = view.annotation;
|
||||
if ([pointAnnotation isMemberOfClass:MAPointAnnotation.class]) {
|
||||
MAPointAnnotation *point = (MAPointAnnotation *)view.annotation;
|
||||
|
||||
|
||||
NSLog(@"point: %@" , point.title);
|
||||
|
||||
AMapPOI * aoi = [[AMapPOI alloc] init];
|
||||
|
||||
aoi.location = [AMapGeoPoint locationWithLatitude:point.coordinate.latitude longitude:point.coordinate.longitude];
|
||||
|
||||
aoi.name = point.title;
|
||||
|
||||
self.dstPoi = aoi;
|
||||
|
||||
[self updateUIWithData:aoi textField:self.dstTf];
|
||||
|
||||
}
|
||||
|
||||
NSLog(@"didSelectAnnotationView: %s" , __func__);
|
||||
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - AMapNaviCompositeManagerDelegate
|
||||
- (void)compositeManager:(AMapNaviCompositeManager *)compositeManager didStartNavi:(AMapNaviMode)naviMode {
|
||||
|
||||
|
||||
}
|
||||
|
||||
- (void)compositeManager:(AMapNaviCompositeManager *)compositeManager onDriveStrategyChanged:(AMapNaviDrivingStrategy)driveStrategy {
|
||||
NSLog(@"%s" , __func__ );
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - UITextFieldDelegate
|
||||
- (BOOL)textFieldShouldBeginEditing:(UITextField *)textField {
|
||||
|
||||
ASearchAddressController * vc = [[ASearchAddressController alloc] init];
|
||||
|
||||
UINavigationController * nav = [[UINavigationController alloc]initWithRootViewController:vc];
|
||||
//UIModalPresentationOverFullScreen/UIModalPresentationFullScreen触发离开
|
||||
nav.modalPresentationStyle = UIModalPresentationOverFullScreen;
|
||||
nav.modalTransitionStyle = UIModalTransitionStyleCrossDissolve;
|
||||
|
||||
__weak typeof(self)weakSelf = self;
|
||||
vc.selectAddressBlk = ^(AMapPOI * _Nonnull poi) {
|
||||
[weakSelf updateUIWithData:poi textField:textField];
|
||||
};
|
||||
|
||||
[self presentViewController:nav animated:YES completion:^{
|
||||
|
||||
}];
|
||||
|
||||
return NO;
|
||||
}
|
||||
|
||||
-(void)updateUIWithData: (AMapPOI*)poi textField: (UITextField*)tf {
|
||||
BOOL isStart = tf.tag == 100;
|
||||
tf.text = poi.name;
|
||||
|
||||
if (isStart) {
|
||||
self.startPoi = poi;
|
||||
}else {
|
||||
self.dstPoi = poi;
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - tool
|
||||
|
||||
-(void)showAlertWithMessage:(NSString *)msg {
|
||||
UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"提示" message:msg preferredStyle:UIAlertControllerStyleAlert];
|
||||
UIAlertAction *sure = [UIAlertAction actionWithTitle:@"知道了" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
}];
|
||||
|
||||
[alert addAction:sure];
|
||||
|
||||
[self.navigationController presentViewController:alert animated:YES completion:nil];
|
||||
|
||||
}
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,22 @@
|
||||
//
|
||||
// ASearchAddressController.h
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/6.
|
||||
//
|
||||
|
||||
#import "ABaseViewController.h"
|
||||
|
||||
#import <AMapSearchKit/AMapSearchKit.h>
|
||||
#import <AMapLocationKit/AMapLocationKit.h>
|
||||
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface ASearchAddressController : ABaseViewController
|
||||
|
||||
@property (nonatomic , copy) void(^selectAddressBlk)(AMapPOI * poi);
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,232 @@
|
||||
//
|
||||
// ASearchAddressController.m
|
||||
// ANavDemo
|
||||
//
|
||||
// Created by admin on 2026/2/6.
|
||||
//
|
||||
|
||||
#import "ASearchAddressController.h"
|
||||
#import "AMapNavSDKManager.h"
|
||||
|
||||
#import <AMapFoundationKit/AMapFoundationKit.h>
|
||||
|
||||
#import "AMapNavCommonUtil.h"
|
||||
|
||||
@interface ASearchAddressController ()<UITextFieldDelegate , AMapSearchDelegate,UITableViewDelegate , UITableViewDataSource>
|
||||
|
||||
@property (nonatomic , strong) UITableView *tableView;
|
||||
@property (nonatomic , strong) UIBarButtonItem *rightItem;
|
||||
@property (nonatomic ,strong)UIButton * backBtn;
|
||||
|
||||
@property (nonatomic , strong) NSArray *dataArr;
|
||||
|
||||
@property (nonatomic, strong) UITextField *inputAddressTf;
|
||||
@property (nonatomic, strong) AMapSearchAPI *search;
|
||||
@end
|
||||
|
||||
@implementation ASearchAddressController
|
||||
|
||||
- (void)viewDidLoad {
|
||||
[super viewDidLoad];
|
||||
// Do any additional setup after loading the view.
|
||||
self.title = @"选择地点";
|
||||
|
||||
[self initSubview];
|
||||
|
||||
self.search = [[AMapSearchAPI alloc] init];
|
||||
self.search.delegate = self;
|
||||
|
||||
#ifdef kAMapSDKDebugFlag
|
||||
self.inputAddressTf.text = @"人民广场";
|
||||
#endif
|
||||
|
||||
}
|
||||
|
||||
- (void)viewDidAppear:(BOOL)animated {
|
||||
[super viewDidAppear:animated];
|
||||
|
||||
[self.inputAddressTf becomeFirstResponder];
|
||||
}
|
||||
|
||||
-(void)initSubview {
|
||||
self.navigationItem.leftBarButtonItem = [[UIBarButtonItem alloc]initWithCustomView:self.backBtn];
|
||||
|
||||
UITextField * inputAddressTf = [[UITextField alloc] init];
|
||||
inputAddressTf.borderStyle = UITextBorderStyleRoundedRect;
|
||||
inputAddressTf.placeholder = @"输入地址";
|
||||
inputAddressTf.returnKeyType = UIReturnKeySearch;
|
||||
inputAddressTf.tag = 100;
|
||||
inputAddressTf.delegate = self;
|
||||
|
||||
[self.view addSubview:inputAddressTf];
|
||||
|
||||
[inputAddressTf mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.left.mas_equalTo(self.view).offset(10);
|
||||
make.top.mas_equalTo(self.view).offset(kRoutePlanBarHeight + 10);
|
||||
make.height.mas_equalTo(@30);
|
||||
}];
|
||||
|
||||
self.inputAddressTf = inputAddressTf;
|
||||
|
||||
|
||||
|
||||
UIButton * btn = [UIButton buttonWithType:UIButtonTypeCustom];
|
||||
[btn setTitle:@"当前位置" forState:UIControlStateNormal];
|
||||
btn.backgroundColor = [UIColor whiteColor];
|
||||
btn.layer.borderColor = [UIColor blueColor].CGColor;
|
||||
btn.layer.borderWidth = 1;
|
||||
btn.layer.cornerRadius = 5;
|
||||
btn.titleLabel.font = [UIFont systemFontOfSize:12];
|
||||
|
||||
[btn setTitleColor:[UIColor blueColor] forState:UIControlStateNormal];
|
||||
[btn addTarget:self action:@selector(searchBtnAction) forControlEvents:UIControlEventTouchUpInside];
|
||||
[self.view addSubview:btn];
|
||||
[btn mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.left.equalTo(inputAddressTf.mas_right).offset(12);
|
||||
make.top.mas_equalTo(inputAddressTf);
|
||||
make.right.mas_equalTo(self.view).offset(-10);
|
||||
make.height.mas_equalTo(@30);
|
||||
make.width.mas_equalTo(70);
|
||||
}];
|
||||
|
||||
|
||||
[self.view addSubview:self.tableView];
|
||||
[self.tableView mas_makeConstraints:^(MASConstraintMaker *make) {
|
||||
make.top.mas_equalTo(inputAddressTf.mas_bottom).offset(5);
|
||||
make.left.equalTo(self.view);
|
||||
make.bottom.equalTo(self.view);
|
||||
make.centerX.equalTo(self.view);
|
||||
|
||||
}];
|
||||
|
||||
[self.tableView reloadData];
|
||||
}
|
||||
|
||||
#pragma mark -
|
||||
- (nonnull UITableViewCell *)tableView:(nonnull UITableView *)tableView cellForRowAtIndexPath:(nonnull NSIndexPath *)indexPath {
|
||||
UITableViewCell * cell = [tableView dequeueReusableCellWithIdentifier:@"cell"];
|
||||
if (!cell) {
|
||||
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:@"cell"];
|
||||
cell.selectionStyle = UITableViewCellSelectionStyleNone;
|
||||
}
|
||||
|
||||
AMapPOI * m = self.dataArr[indexPath.row];
|
||||
cell.textLabel.text = [NSString stringWithFormat:@"%@" , m.name ];
|
||||
|
||||
return cell;
|
||||
}
|
||||
|
||||
- (NSInteger)tableView:(nonnull UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
|
||||
return self.dataArr.count;
|
||||
}
|
||||
|
||||
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
|
||||
AMapPOI * m = self.dataArr[indexPath.row];
|
||||
|
||||
if (self.selectAddressBlk) {
|
||||
self.selectAddressBlk(m);
|
||||
}
|
||||
|
||||
[self backBtnAction];
|
||||
// [self.navigationController popViewControllerAnimated:YES];
|
||||
}
|
||||
|
||||
#pragma mark -
|
||||
- (UITableView *)tableView {
|
||||
if (!_tableView) {
|
||||
_tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStylePlain];
|
||||
_tableView.delegate = self;
|
||||
_tableView.dataSource = self;
|
||||
}
|
||||
|
||||
return _tableView;
|
||||
}
|
||||
|
||||
-(UIButton *)backBtn{
|
||||
if (!_backBtn) {
|
||||
_backBtn = [UIButton buttonWithType:UIButtonTypeCustom];
|
||||
_backBtn.frame = CGRectMake(0, 0, 40, 30);
|
||||
_backBtn.imageEdgeInsets = UIEdgeInsetsMake(2, -5, 2, 5);
|
||||
|
||||
// _backBtn.backgroundColor = UIColor.redColor;
|
||||
[_backBtn setImage:[AMapNavCommonUtil imageWithName:@"icon_fanhui"] forState:UIControlStateNormal];
|
||||
[_backBtn addTarget:self action:@selector(backBtnAction) forControlEvents:UIControlEventTouchUpInside];
|
||||
}
|
||||
return _backBtn;
|
||||
}
|
||||
|
||||
-(void)backBtnAction {
|
||||
[self dismissViewControllerAnimated:YES completion:^{
|
||||
|
||||
}];
|
||||
|
||||
}
|
||||
|
||||
#pragma mark - Action
|
||||
-(void)searchBtnAction {
|
||||
AMapNavSDKManager * sdk = [AMapNavSDKManager sharedManager];
|
||||
self.inputAddressTf.text = sdk.locationAddressDetail;
|
||||
|
||||
[self startSearchWithAddress:self.inputAddressTf.text];
|
||||
}
|
||||
|
||||
-(void)startSearchWithAddress:(NSString *)addr {
|
||||
if (!addr) {
|
||||
return;
|
||||
}
|
||||
|
||||
AMapPOIKeywordsSearchRequest *request = [[AMapPOIKeywordsSearchRequest alloc] init];
|
||||
|
||||
request.keywords = addr;
|
||||
|
||||
AMapNavSDKManager * sdk = [AMapNavSDKManager sharedManager];
|
||||
request.city = sdk.localCity;
|
||||
|
||||
|
||||
// request.types = @"高等院校";
|
||||
// request.requireExtension = YES;
|
||||
request.offset =20;
|
||||
|
||||
/* 搜索SDK 3.2.0 中新增加的功能,只搜索本城市的POI。*/
|
||||
request.cityLimit = YES;
|
||||
// request.requireSubPOIs = YES;
|
||||
|
||||
|
||||
[self.search AMapPOIKeywordsSearch:request];
|
||||
|
||||
}
|
||||
|
||||
|
||||
#pragma mark -
|
||||
/* POI 搜索回调. */
|
||||
- (void)onPOISearchDone:(AMapPOISearchBaseRequest *)request response:(AMapPOISearchResponse *)response
|
||||
{
|
||||
NSArray * pois = response.pois;
|
||||
if (pois.count == 0)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
//解析response获取POI信息,具体解析见 Demo
|
||||
|
||||
self.dataArr = [NSArray arrayWithArray:pois];
|
||||
[self.tableView reloadData];
|
||||
|
||||
}
|
||||
|
||||
|
||||
|
||||
- (BOOL)textFieldShouldReturn:(UITextField *)textField {
|
||||
[textField resignFirstResponder];
|
||||
|
||||
[self startSearchWithAddress:textField.text];
|
||||
|
||||
return YES;
|
||||
}
|
||||
|
||||
|
||||
|
||||
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event {
|
||||
[self.inputAddressTf resignFirstResponder];
|
||||
}
|
||||
@end
|
||||
@@ -0,0 +1,19 @@
|
||||
//
|
||||
// AMapNavCommonUtil.h
|
||||
// Pods
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface AMapNavCommonUtil : NSObject
|
||||
|
||||
+(UIImage *)imageWithName:(NSString *)name;
|
||||
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,27 @@
|
||||
//
|
||||
// AMapNavCommonUtil.m
|
||||
// Pods
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import "AMapNavCommonUtil.h"
|
||||
|
||||
@implementation AMapNavCommonUtil
|
||||
|
||||
|
||||
#pragma mark - 获取图片
|
||||
+(UIImage *)imageWithName:(NSString *)name {
|
||||
NSURL * url = [[NSBundle mainBundle] URLForResource:@"AMapNavIOSSDK" withExtension:@"bundle"];
|
||||
NSBundle *containnerBundle = [NSBundle bundleWithURL:url];
|
||||
|
||||
NSString * path = [containnerBundle pathForResource:[NSString stringWithFormat:@"%@@2x.png" , name] ofType:nil];
|
||||
|
||||
UIImage * arrowImage = [[UIImage imageWithContentsOfFile:path] imageWithRenderingMode:UIImageRenderingModeAlwaysOriginal];
|
||||
|
||||
return arrowImage;
|
||||
}
|
||||
|
||||
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,19 @@
|
||||
//
|
||||
// AMapNavHttpUtil.h
|
||||
// AMapNavIOSSDK
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
@interface AMapNavHttpUtil : NSObject
|
||||
|
||||
+ (void)postRequestWithURL:(NSString *)urlString parameters:(id)parameters requestHeader:(NSDictionary *)headParam successHandler:(void (^)(NSDictionary *data, NSURLResponse *response))successHandler failureHandler:(void ( ^)(NSError *error))failureHandler;
|
||||
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,114 @@
|
||||
//
|
||||
// AMapNavHttpUtil.m
|
||||
// AMapNavIOSSDK
|
||||
//
|
||||
// Created by admin on 2026/2/11.
|
||||
//
|
||||
|
||||
#import "AMapNavHttpUtil.h"
|
||||
|
||||
#define AMapRequestMethod_POST @"POST"
|
||||
|
||||
@interface AMapNavHttpUtil ()
|
||||
@property (nonatomic , copy) NSString * baseURL;
|
||||
@end
|
||||
|
||||
@implementation AMapNavHttpUtil
|
||||
|
||||
+ (instancetype)sharedInstance {
|
||||
static AMapNavHttpUtil *sharedInstance = nil;
|
||||
static dispatch_once_t onceToken;
|
||||
|
||||
// dispatch_once确保下面的代码块只被执行一次
|
||||
dispatch_once(&onceToken, ^{
|
||||
sharedInstance = [[self alloc] init];
|
||||
// 可以在这里进行一些初始化操作
|
||||
|
||||
});
|
||||
return sharedInstance;
|
||||
}
|
||||
|
||||
- (instancetype)init {
|
||||
self = [super init];
|
||||
if (self) {
|
||||
|
||||
// if (sdk.config.developmentModel) {
|
||||
// _baseURL = kYTOTPAnalyticsSDKTestHost;
|
||||
// }else {
|
||||
// _baseURL = kYTOTPAnalyticsSDKProductionHost;
|
||||
// }
|
||||
}
|
||||
|
||||
return self;
|
||||
}
|
||||
|
||||
|
||||
+ (void)postRequestWithURL:(NSString *)urlString parameters:(id)parameters requestHeader:(NSDictionary *)headParam successHandler:(void (^)(NSDictionary *data, NSURLResponse *response))successHandler failureHandler:(void ( ^)(NSError *error))failureHandler {
|
||||
[self requestWithMethod:AMapRequestMethod_POST URL:urlString parameters:parameters requestHeader:headParam successHandler:successHandler failureHandler:failureHandler];
|
||||
}
|
||||
|
||||
|
||||
// 使用NSURLSession发起网络请求
|
||||
+ (void)requestWithMethod:(NSString *)method URL:(NSString *)urlString parameters:(id)parameters requestHeader:(NSDictionary *)headParam successHandler:(void (^)(NSDictionary *data, NSURLResponse *response))successHandler failureHandler:(void (^)(NSError *error))failureHandler {
|
||||
if (!urlString) {
|
||||
return;
|
||||
}
|
||||
|
||||
// 创建URL
|
||||
NSURL *url = [NSURL URLWithString:[NSString stringWithFormat:@"%@" , urlString]];
|
||||
|
||||
// 创建请求
|
||||
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url];
|
||||
request.HTTPMethod = method;
|
||||
request.timeoutInterval = 30.0;
|
||||
|
||||
// 设置请求头,指定数据通讯格式为json
|
||||
if (headParam) {
|
||||
for (NSString *key in headParam.allKeys) {
|
||||
if (headParam[key]) {
|
||||
[request setValue:[NSString stringWithFormat:@"%@",headParam[key]] forHTTPHeaderField:key];
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// 将参数转换为JSON数据
|
||||
NSError *error;
|
||||
NSData *jsonData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:&error];
|
||||
if (!jsonData) {}
|
||||
|
||||
if ([method isEqualToString: AMapRequestMethod_POST]) {
|
||||
// 设置请求体
|
||||
request.HTTPBody = jsonData;
|
||||
}
|
||||
|
||||
__block NSURLSession *session = [NSURLSession sharedSession];
|
||||
NSURLSessionDataTask *task = [session dataTaskWithRequest:request completionHandler:^(NSData * _Nullable data, NSURLResponse * _Nullable response, NSError * _Nullable error) {
|
||||
if (error) {
|
||||
NSLog(@"request error:%@" , error);
|
||||
if (failureHandler) {
|
||||
failureHandler(error);
|
||||
}
|
||||
} else {
|
||||
if (successHandler) {
|
||||
NSDictionary * dic = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingAllowFragments error:nil];
|
||||
if(dic){
|
||||
NSLog(@"url: %@ , response data:%@", url , dic);
|
||||
}
|
||||
|
||||
dispatch_async(dispatch_get_main_queue(), ^{
|
||||
successHandler(dic, response);
|
||||
});
|
||||
// successHandler(dic, response);
|
||||
}
|
||||
}
|
||||
|
||||
[session finishTasksAndInvalidate];
|
||||
session = nil;
|
||||
}];
|
||||
|
||||
// 开始任务
|
||||
[task resume];
|
||||
}
|
||||
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,32 @@
|
||||
//
|
||||
// AMapPrivacyUtility.h
|
||||
// officialDemoNavi
|
||||
//
|
||||
// Created by menglong on 2021/10/29.
|
||||
// Copyright © 2021 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
|
||||
NS_ASSUME_NONNULL_BEGIN
|
||||
|
||||
/*
|
||||
* 隐私合规使用demo 工具类
|
||||
*/
|
||||
@interface AMapPrivacyUtility : NSObject
|
||||
|
||||
/**
|
||||
* @brief 通过这个方法来判断是否同意隐私合规
|
||||
* 1.如果没有同意隐私合规,则创建的SDK manager 实例返回 为nil, 无法使用SDK提供的功能
|
||||
* 2.如果同意了下次启动不提示 的授权,则不会弹框给用户
|
||||
* 3.如果只同意了,则下次启动还要给用户弹框提示
|
||||
*/
|
||||
|
||||
+ (void)handlePrivacyAgreeStatus;
|
||||
|
||||
+ (void)handlePrivacyAgreeStatusIn:(UIViewController*)targetVC;
|
||||
|
||||
|
||||
@end
|
||||
|
||||
NS_ASSUME_NONNULL_END
|
||||
@@ -0,0 +1,137 @@
|
||||
//
|
||||
// AMapPrivacyUtility.m
|
||||
// officialDemoNavi
|
||||
//
|
||||
// Created by menglong on 2021/10/29.
|
||||
// Copyright © 2021 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import "AMapPrivacyUtility.h"
|
||||
#import <UIKit/UIKit.h>
|
||||
#import <AMapNavikit/AMapNaviManagerConfig.h>
|
||||
@implementation AMapPrivacyUtility
|
||||
|
||||
+ (void)showPrivacyInfoInWindow:(UIWindow *)window {
|
||||
|
||||
NSMutableParagraphStyle *paragraphStyle = [[NSMutableParagraphStyle alloc] init];
|
||||
|
||||
paragraphStyle.alignment = NSTextAlignmentLeft;
|
||||
|
||||
NSMutableAttributedString *privacyInfo = [[NSMutableAttributedString alloc] initWithString:@"\n亲,感谢您对XXX一直以来的信任!我们依据最新的监管要求更新了XXX《隐私权政策》,特向您说明如下\n1.为向您提供交易相关基本功能,我们会收集、使用必要的信息;\n2.基于您的明示授权,我们可能会获取您的位置(为您提供附近的商品、店铺及优惠资讯等)等信息,您有权拒绝或取消授权;\n3.我们会采取业界先进的安全措施保护您的信息安全;\n4.未经您同意,我们不会从第三方处获取、共享或向提供您的信息;" attributes:@{
|
||||
NSParagraphStyleAttributeName:paragraphStyle,
|
||||
}];
|
||||
|
||||
[privacyInfo addAttribute:NSLinkAttributeName
|
||||
value:@"《隐私权政策》"
|
||||
range:[[privacyInfo string] rangeOfString:@"《隐私权政策》"]];
|
||||
|
||||
UIAlertController *privacyInfoController = [UIAlertController alertControllerWithTitle:@"温馨提示(隐私合规示例)" message:@"" preferredStyle:UIAlertControllerStyleAlert];
|
||||
|
||||
[privacyInfoController setValue:privacyInfo forKey:@"attributedMessage"];
|
||||
|
||||
|
||||
UIAlertAction *agreeAllAction = [UIAlertAction actionWithTitle:@"同意(下次不提示)" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
[[NSUserDefaults standardUserDefaults] setBool:YES forKey:@"agreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] synchronize];
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusDidAgree];
|
||||
}];
|
||||
|
||||
|
||||
UIAlertAction *agreeAction = [UIAlertAction actionWithTitle:@"同意" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusDidAgree];
|
||||
}];
|
||||
|
||||
UIAlertAction *notAgreeAction = [UIAlertAction actionWithTitle:@"不同意" style:UIAlertActionStyleCancel handler:^(UIAlertAction * _Nonnull action) {
|
||||
[[NSUserDefaults standardUserDefaults] setBool:NO forKey:@"agreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] synchronize];
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusNotAgree];
|
||||
}];
|
||||
|
||||
[privacyInfoController addAction:agreeAllAction];
|
||||
[privacyInfoController addAction:agreeAction];
|
||||
[privacyInfoController addAction:notAgreeAction];
|
||||
|
||||
[window.rootViewController presentViewController:privacyInfoController animated:YES completion:^{
|
||||
//更新App是否显示隐私弹窗的状态,隐私弹窗是否包含高德SDK隐私协议内容的状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyShow:AMapPrivacyShowStatusDidShow privacyInfo:AMapPrivacyInfoStatusDidContain];
|
||||
}];
|
||||
|
||||
}
|
||||
|
||||
+ (void)handlePrivacyAgreeStatus {
|
||||
//判断是否同意了隐私协议下次不提示
|
||||
// if(![[NSUserDefaults standardUserDefaults] boolForKey:@"agreeStatus"]){
|
||||
//添加隐私合规弹窗
|
||||
[self showPrivacyInfoInWindow:[UIApplication sharedApplication].delegate.window];
|
||||
|
||||
// [[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusDidAgree];
|
||||
// }
|
||||
}
|
||||
|
||||
+ (void)handlePrivacyAgreeStatusIn:(UIViewController*)targetVC {
|
||||
if(![[NSUserDefaults standardUserDefaults] boolForKey:@"agreeStatus"]){
|
||||
[self showPrivacyInfoInWindowWithVC:targetVC];
|
||||
}
|
||||
}
|
||||
|
||||
+ (void)showPrivacyInfoInWindowWithVC:(UIViewController *)window {
|
||||
|
||||
NSMutableParagraphStyle *paragraphStyle = [[NSMutableParagraphStyle alloc] init];
|
||||
|
||||
paragraphStyle.alignment = NSTextAlignmentLeft;
|
||||
|
||||
NSMutableAttributedString *privacyInfo = [[NSMutableAttributedString alloc] initWithString:@"\n感谢您一直以来的信任!我们依据最新的监管要求更新了《隐私权政策》,特向您说明如下\n1.为向您提供交易相关基本功能,我们会收集、使用必要的信息;\n2.基于您的明示授权,我们可能会获取您的位置(为您提供附近的店铺及优惠资讯等)等信息,您有权拒绝或取消授权;\n3.我们会采取业界先进的安全措施保护您的信息安全;\n4.未经您同意,我们不会从第三方处获取、共享或向提供您的信息;" attributes:@{
|
||||
NSParagraphStyleAttributeName:paragraphStyle,
|
||||
}];
|
||||
|
||||
[privacyInfo addAttribute:NSLinkAttributeName
|
||||
value:@"《隐私权政策》"
|
||||
range:[[privacyInfo string] rangeOfString:@"《隐私权政策》"]];
|
||||
|
||||
UIAlertController *privacyInfoController = [UIAlertController alertControllerWithTitle:@"温馨提示(隐私合规示例)" message:@"" preferredStyle:UIAlertControllerStyleAlert];
|
||||
|
||||
[privacyInfoController setValue:privacyInfo forKey:@"attributedMessage"];
|
||||
|
||||
|
||||
UIAlertAction *agreeAllAction = [UIAlertAction actionWithTitle:@"同意(下次不提示)" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
[[NSUserDefaults standardUserDefaults] setBool:YES forKey:@"agreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] setBool:YES forKey:@"usragreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] synchronize];
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusDidAgree];
|
||||
|
||||
[NSNotificationCenter.defaultCenter postNotificationName:@"ksAMapPrivacyDidUpdateNotification" object:nil];
|
||||
}];
|
||||
|
||||
|
||||
UIAlertAction *agreeAction = [UIAlertAction actionWithTitle:@"同意" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[NSUserDefaults standardUserDefaults] setBool:YES forKey:@"usragreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] synchronize];
|
||||
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusDidAgree];
|
||||
[NSNotificationCenter.defaultCenter postNotificationName:@"ksAMapPrivacyDidUpdateNotification" object:nil];
|
||||
}];
|
||||
|
||||
UIAlertAction *notAgreeAction = [UIAlertAction actionWithTitle:@"不同意" style:UIAlertActionStyleCancel handler:^(UIAlertAction * _Nonnull action) {
|
||||
[[NSUserDefaults standardUserDefaults] setBool:NO forKey:@"agreeStatus"];
|
||||
[[NSUserDefaults standardUserDefaults] synchronize];
|
||||
//更新用户授权高德SDK隐私协议状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyAgree:AMapPrivacyAgreeStatusNotAgree];
|
||||
}];
|
||||
|
||||
[privacyInfoController addAction:agreeAllAction];
|
||||
[privacyInfoController addAction:agreeAction];
|
||||
[privacyInfoController addAction:notAgreeAction];
|
||||
|
||||
[window presentViewController:privacyInfoController animated:YES completion:^{
|
||||
//更新App是否显示隐私弹窗的状态,隐私弹窗是否包含高德SDK隐私协议内容的状态. since 8.1.0
|
||||
[[AMapNaviManagerConfig sharedConfig] updatePrivacyShow:AMapPrivacyShowStatusDidShow privacyInfo:AMapPrivacyInfoStatusDidContain];
|
||||
}];
|
||||
|
||||
}
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,22 @@
|
||||
//
|
||||
// NaviPointAnnotation.h
|
||||
// AMapNaviKit
|
||||
//
|
||||
// Created by 刘博 on 16/3/8.
|
||||
// Copyright © 2016年 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import <AMapNaviKit/MAMapKit.h>
|
||||
|
||||
typedef NS_ENUM(NSInteger, NaviPointAnnotationType)
|
||||
{
|
||||
NaviPointAnnotationStart,
|
||||
NaviPointAnnotationWay,
|
||||
NaviPointAnnotationEnd
|
||||
};
|
||||
|
||||
@interface NaviPointAnnotation : MAPointAnnotation
|
||||
|
||||
@property (nonatomic, assign) NaviPointAnnotationType navPointType;
|
||||
|
||||
@end
|
||||
@@ -0,0 +1,13 @@
|
||||
//
|
||||
// NaviPointAnnotation.m
|
||||
// AMapNaviKit
|
||||
//
|
||||
// Created by 刘博 on 16/3/8.
|
||||
// Copyright © 2016年 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import "NaviPointAnnotation.h"
|
||||
|
||||
@implementation NaviPointAnnotation
|
||||
|
||||
@end
|
||||
24
ln_jq_app/ios/AMapNavIOSSDK/AMapNavIOSSDK/Classes/Tools/SelectableOverlay.h
Executable file
@@ -0,0 +1,24 @@
|
||||
//
|
||||
// SelectableOverlay.h
|
||||
// officialDemo2D
|
||||
//
|
||||
// Created by yi chen on 14-5-8.
|
||||
// Copyright (c) 2014年 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import <Foundation/Foundation.h>
|
||||
#import <AMapNaviKit/MAMapKit.h>
|
||||
|
||||
@interface SelectableOverlay : MABaseOverlay
|
||||
|
||||
@property (nonatomic, assign) NSInteger routeID;
|
||||
|
||||
@property (nonatomic, assign, getter = isSelected) BOOL selected;
|
||||
@property (nonatomic, strong) UIColor * selectedColor;
|
||||
@property (nonatomic, strong) UIColor * regularColor;
|
||||
|
||||
@property (nonatomic, strong) id<MAOverlay> overlay;
|
||||
|
||||
- (id)initWithOverlay:(id<MAOverlay>) overlay;
|
||||
|
||||
@end
|
||||
41
ln_jq_app/ios/AMapNavIOSSDK/AMapNavIOSSDK/Classes/Tools/SelectableOverlay.m
Executable file
@@ -0,0 +1,41 @@
|
||||
//
|
||||
// SelectableOverlay.m
|
||||
// officialDemo2D
|
||||
//
|
||||
// Created by yi chen on 14-5-8.
|
||||
// Copyright (c) 2014年 AutoNavi. All rights reserved.
|
||||
//
|
||||
|
||||
#import "SelectableOverlay.h"
|
||||
|
||||
@implementation SelectableOverlay
|
||||
|
||||
#pragma mark - MAOverlay Protocol
|
||||
|
||||
- (CLLocationCoordinate2D)coordinate
|
||||
{
|
||||
return [self.overlay coordinate];
|
||||
}
|
||||
|
||||
- (MAMapRect)boundingMapRect
|
||||
{
|
||||
return [self.overlay boundingMapRect];
|
||||
}
|
||||
|
||||
#pragma mark - Life Cycle
|
||||
|
||||
- (id)initWithOverlay:(id<MAOverlay>)overlay
|
||||
{
|
||||
self = [super init];
|
||||
if (self)
|
||||
{
|
||||
self.overlay = overlay;
|
||||
self.selected = NO;
|
||||
self.selectedColor = [UIColor colorWithRed:0.05 green:0.39 blue:0.9 alpha:0.8];
|
||||
self.regularColor = [UIColor colorWithRed:0.5 green:0.6 blue:0.9 alpha:0.8];
|
||||
}
|
||||
|
||||
return self;
|
||||
}
|
||||
|
||||
@end
|
||||
@@ -31,8 +31,12 @@ require File.expand_path(File.join('packages', 'flutter_tools', 'bin', 'podhelpe
|
||||
flutter_ios_podfile_setup
|
||||
|
||||
target 'Runner' do
|
||||
use_frameworks!
|
||||
# use_frameworks!
|
||||
use_frameworks! :linkage => :static
|
||||
|
||||
pod 'AMapNavIOSSDK' , :path => './AMapNavIOSSDK'
|
||||
|
||||
|
||||
flutter_install_all_ios_pods File.dirname(File.realpath(__FILE__))
|
||||
target 'RunnerTests' do
|
||||
inherit! :search_paths
|
||||
|
||||
@@ -1,12 +1,25 @@
|
||||
PODS:
|
||||
- AlicloudELS (1.0.3)
|
||||
- AlicloudPush (3.2.3):
|
||||
- AlicloudELS (= 1.0.3)
|
||||
- AlicloudELS (~> 1.0.3)
|
||||
- AlicloudUTDID (~> 1.0)
|
||||
- AlicloudUTDID (1.6.1)
|
||||
- aliyun_push_flutter (0.0.1):
|
||||
- AlicloudPush (< 4.0, >= 3.2.3)
|
||||
- Flutter
|
||||
- AMapFoundation-NO-IDFA (1.8.2)
|
||||
- AMapLocation-NO-IDFA (2.11.0):
|
||||
- AMapFoundation-NO-IDFA (>= 1.8.0)
|
||||
- AMapNavi-NO-IDFA (10.1.600):
|
||||
- AMapFoundation-NO-IDFA (>= 1.8.2)
|
||||
- AMapNavIOSSDK (0.1.0):
|
||||
- AMapLocation-NO-IDFA
|
||||
- AMapNavi-NO-IDFA
|
||||
- AMapSearch-NO-IDFA
|
||||
- Masonry
|
||||
- MJExtension
|
||||
- AMapSearch-NO-IDFA (9.7.4):
|
||||
- AMapFoundation-NO-IDFA (>= 1.8.0)
|
||||
- connectivity_plus (0.0.1):
|
||||
- Flutter
|
||||
- device_info_plus (0.0.1):
|
||||
@@ -28,15 +41,14 @@ PODS:
|
||||
- FlutterMacOS
|
||||
- image_picker_ios (0.0.1):
|
||||
- Flutter
|
||||
- Masonry (1.1.0)
|
||||
- MJExtension (3.4.2)
|
||||
- mobile_scanner (7.0.0):
|
||||
- Flutter
|
||||
- FlutterMacOS
|
||||
- OrderedSet (6.0.3)
|
||||
- package_info_plus (0.4.5):
|
||||
- Flutter
|
||||
- path_provider_foundation (0.0.1):
|
||||
- Flutter
|
||||
- FlutterMacOS
|
||||
- permission_handler_apple (9.3.0):
|
||||
- Flutter
|
||||
- shared_preferences_foundation (0.0.1):
|
||||
@@ -47,6 +59,7 @@ PODS:
|
||||
|
||||
DEPENDENCIES:
|
||||
- aliyun_push_flutter (from `.symlinks/plugins/aliyun_push_flutter/ios`)
|
||||
- AMapNavIOSSDK (from `./AMapNavIOSSDK`)
|
||||
- connectivity_plus (from `.symlinks/plugins/connectivity_plus/ios`)
|
||||
- device_info_plus (from `.symlinks/plugins/device_info_plus/ios`)
|
||||
- Flutter (from `Flutter`)
|
||||
@@ -57,7 +70,6 @@ DEPENDENCIES:
|
||||
- image_picker_ios (from `.symlinks/plugins/image_picker_ios/ios`)
|
||||
- mobile_scanner (from `.symlinks/plugins/mobile_scanner/darwin`)
|
||||
- package_info_plus (from `.symlinks/plugins/package_info_plus/ios`)
|
||||
- path_provider_foundation (from `.symlinks/plugins/path_provider_foundation/darwin`)
|
||||
- permission_handler_apple (from `.symlinks/plugins/permission_handler_apple/ios`)
|
||||
- shared_preferences_foundation (from `.symlinks/plugins/shared_preferences_foundation/darwin`)
|
||||
- url_launcher_ios (from `.symlinks/plugins/url_launcher_ios/ios`)
|
||||
@@ -69,11 +81,19 @@ SPEC REPOS:
|
||||
- AlicloudELS
|
||||
- AlicloudPush
|
||||
trunk:
|
||||
- AMapFoundation-NO-IDFA
|
||||
- AMapLocation-NO-IDFA
|
||||
- AMapNavi-NO-IDFA
|
||||
- AMapSearch-NO-IDFA
|
||||
- Masonry
|
||||
- MJExtension
|
||||
- OrderedSet
|
||||
|
||||
EXTERNAL SOURCES:
|
||||
aliyun_push_flutter:
|
||||
:path: ".symlinks/plugins/aliyun_push_flutter/ios"
|
||||
AMapNavIOSSDK:
|
||||
:path: "./AMapNavIOSSDK"
|
||||
connectivity_plus:
|
||||
:path: ".symlinks/plugins/connectivity_plus/ios"
|
||||
device_info_plus:
|
||||
@@ -94,8 +114,6 @@ EXTERNAL SOURCES:
|
||||
:path: ".symlinks/plugins/mobile_scanner/darwin"
|
||||
package_info_plus:
|
||||
:path: ".symlinks/plugins/package_info_plus/ios"
|
||||
path_provider_foundation:
|
||||
:path: ".symlinks/plugins/path_provider_foundation/darwin"
|
||||
permission_handler_apple:
|
||||
:path: ".symlinks/plugins/permission_handler_apple/ios"
|
||||
shared_preferences_foundation:
|
||||
@@ -105,25 +123,31 @@ EXTERNAL SOURCES:
|
||||
|
||||
SPEC CHECKSUMS:
|
||||
AlicloudELS: fbf821383330465a5af84a033f36f263ae46ca41
|
||||
AlicloudPush: 95150880af380f64cf1741f5586047c17d36c1d9
|
||||
AlicloudPush: 52cbf38ffc20c07f039cbc72d5738745fd986215
|
||||
AlicloudUTDID: 5d2f22d50e11eecd38f30bc7a48c71925ea90976
|
||||
aliyun_push_flutter: 0fc2f048a08687ef256c0cfdd72dd7a550ef3347
|
||||
connectivity_plus: cb623214f4e1f6ef8fe7403d580fdad517d2f7dd
|
||||
device_info_plus: 71ffc6ab7634ade6267c7a93088ed7e4f74e5896
|
||||
aliyun_push_flutter: ab0bf7112ef3797f506770a7a9f47f004635a9f6
|
||||
AMapFoundation-NO-IDFA: 6ce0ef596d4eb8d934ff498e56747b6de1247b05
|
||||
AMapLocation-NO-IDFA: 590fd42af0c8ea9eac26978348221bbc16be4ef9
|
||||
AMapNavi-NO-IDFA: 22edfa7d6a81d75c91756e31b6c26b7746152233
|
||||
AMapNavIOSSDK: 0cd6ec22ab6b6aba268028a5b580e18bb8066f7e
|
||||
AMapSearch-NO-IDFA: 53b2193244be8f07f3be0a4d5161200236960587
|
||||
connectivity_plus: 2a701ffec2c0ae28a48cf7540e279787e77c447d
|
||||
device_info_plus: 97af1d7e84681a90d0693e63169a5d50e0839a0d
|
||||
Flutter: cabc95a1d2626b1b06e7179b784ebcf0c0cde467
|
||||
flutter_inappwebview_ios: b89ba3482b96fb25e00c967aae065701b66e9b99
|
||||
flutter_native_splash: c32d145d68aeda5502d5f543ee38c192065986cf
|
||||
flutter_pdfview: 32bf27bda6fd85b9dd2c09628a824df5081246cf
|
||||
geolocator_apple: ab36aa0e8b7d7a2d7639b3b4e48308394e8cef5e
|
||||
image_picker_ios: e0ece4aa2a75771a7de3fa735d26d90817041326
|
||||
mobile_scanner: 9157936403f5a0644ca3779a38ff8404c5434a93
|
||||
flutter_inappwebview_ios: 6f63631e2c62a7c350263b13fa5427aedefe81d4
|
||||
flutter_native_splash: df59bb2e1421aa0282cb2e95618af4dcb0c56c29
|
||||
flutter_pdfview: 2e4d13ffb774858562ffbdfdb61b40744b191adc
|
||||
geolocator_apple: 66b711889fd333205763b83c9dcf0a57a28c7afd
|
||||
image_picker_ios: 4f2f91b01abdb52842a8e277617df877e40f905b
|
||||
Masonry: 678fab65091a9290e40e2832a55e7ab731aad201
|
||||
MJExtension: e97d164cb411aa9795cf576093a1fa208b4a8dd8
|
||||
mobile_scanner: 77265f3dc8d580810e91849d4a0811a90467ed5e
|
||||
OrderedSet: e539b66b644ff081c73a262d24ad552a69be3a94
|
||||
package_info_plus: af8e2ca6888548050f16fa2f1938db7b5a5df499
|
||||
path_provider_foundation: bb55f6dbba17d0dccd6737fe6f7f34fbd0376880
|
||||
permission_handler_apple: 4ed2196e43d0651e8ff7ca3483a069d469701f2d
|
||||
shared_preferences_foundation: 7036424c3d8ec98dfe75ff1667cb0cd531ec82bb
|
||||
url_launcher_ios: 7a95fa5b60cc718a708b8f2966718e93db0cef1b
|
||||
package_info_plus: c0502532a26c7662a62a356cebe2692ec5fe4ec4
|
||||
permission_handler_apple: 9878588469a2b0d0fc1e048d9f43605f92e6cec2
|
||||
shared_preferences_foundation: 5086985c1d43c5ba4d5e69a4e8083a389e2909e6
|
||||
url_launcher_ios: bb13df5870e8c4234ca12609d04010a21be43dfa
|
||||
|
||||
PODFILE CHECKSUM: 357c01ff4e7591871e8c4fd6462220a8c7447220
|
||||
PODFILE CHECKSUM: 97188da9dab9d4b3372eb4c16e872fbd555fdbea
|
||||
|
||||
COCOAPODS: 1.16.2
|
||||
|
||||
@@ -8,11 +8,12 @@
|
||||
|
||||
/* Begin PBXBuildFile section */
|
||||
1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */ = {isa = PBXBuildFile; fileRef = 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */; };
|
||||
307490676CE2A16C8D75B103 /* Pods_RunnerTests.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 937F9432963895EF63BCCD38 /* Pods_RunnerTests.framework */; };
|
||||
298D3D45379E4332D4A8A627 /* Pods_Runner.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 95135D36941D5EF2C00065B2 /* Pods_Runner.framework */; };
|
||||
331C808B294A63AB00263BE5 /* RunnerTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 331C807B294A618700263BE5 /* RunnerTests.swift */; };
|
||||
3B3967161E833CAA004F5970 /* AppFrameworkInfo.plist in Resources */ = {isa = PBXBuildFile; fileRef = 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */; };
|
||||
59E555C098DB12132BCE9F6E /* Pods_Runner.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 6AF04C5CFFF0B4098EEDA799 /* Pods_Runner.framework */; };
|
||||
3F21125D6B84D3CC58F3C574 /* Pods_RunnerTests.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 85810788944AB2417549F45E /* Pods_RunnerTests.framework */; };
|
||||
74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 74858FAE1ED2DC5600515810 /* AppDelegate.swift */; };
|
||||
8420D0082F3D9F7E006DB6CC /* NativeFirstPage.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8420D0072F3D9F7E006DB6CC /* NativeFirstPage.swift */; };
|
||||
97C146FC1CF9000F007C117D /* Main.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FA1CF9000F007C117D /* Main.storyboard */; };
|
||||
97C146FE1CF9000F007C117D /* Assets.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FD1CF9000F007C117D /* Assets.xcassets */; };
|
||||
97C147011CF9000F007C117D /* LaunchScreen.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */; };
|
||||
@@ -49,13 +50,14 @@
|
||||
331C8081294A63A400263BE5 /* RunnerTests.xctest */ = {isa = PBXFileReference; explicitFileType = wrapper.cfbundle; includeInIndex = 0; path = RunnerTests.xctest; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = AppFrameworkInfo.plist; path = Flutter/AppFrameworkInfo.plist; sourceTree = "<group>"; };
|
||||
4B58A54CFC9A912F2BA04FF2 /* Pods-Runner.profile.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-Runner.profile.xcconfig"; path = "Target Support Files/Pods-Runner/Pods-Runner.profile.xcconfig"; sourceTree = "<group>"; };
|
||||
6AF04C5CFFF0B4098EEDA799 /* Pods_Runner.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_Runner.framework; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
6D3F89E22F04C32900A154AD /* Runner.entitlements */ = {isa = PBXFileReference; lastKnownFileType = text.plist.entitlements; path = Runner.entitlements; sourceTree = "<group>"; };
|
||||
74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = "Runner-Bridging-Header.h"; sourceTree = "<group>"; };
|
||||
74858FAE1ED2DC5600515810 /* AppDelegate.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = AppDelegate.swift; sourceTree = "<group>"; };
|
||||
7AFA3C8E1D35360C0083082E /* Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = Release.xcconfig; path = Flutter/Release.xcconfig; sourceTree = "<group>"; };
|
||||
8420D0072F3D9F7E006DB6CC /* NativeFirstPage.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = NativeFirstPage.swift; sourceTree = "<group>"; };
|
||||
85810788944AB2417549F45E /* Pods_RunnerTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_RunnerTests.framework; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
87773E6EB1B2C64DA1B1FA42 /* Pods-RunnerTests.profile.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-RunnerTests.profile.xcconfig"; path = "Target Support Files/Pods-RunnerTests/Pods-RunnerTests.profile.xcconfig"; sourceTree = "<group>"; };
|
||||
937F9432963895EF63BCCD38 /* Pods_RunnerTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_RunnerTests.framework; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
95135D36941D5EF2C00065B2 /* Pods_Runner.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_Runner.framework; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
9740EEB21CF90195004384FC /* Debug.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Debug.xcconfig; path = Flutter/Debug.xcconfig; sourceTree = "<group>"; };
|
||||
9740EEB31CF90195004384FC /* Generated.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Generated.xcconfig; path = Flutter/Generated.xcconfig; sourceTree = "<group>"; };
|
||||
97C146EE1CF9000F007C117D /* Runner.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = Runner.app; sourceTree = BUILT_PRODUCTS_DIR; };
|
||||
@@ -73,7 +75,7 @@
|
||||
isa = PBXFrameworksBuildPhase;
|
||||
buildActionMask = 2147483647;
|
||||
files = (
|
||||
59E555C098DB12132BCE9F6E /* Pods_Runner.framework in Frameworks */,
|
||||
298D3D45379E4332D4A8A627 /* Pods_Runner.framework in Frameworks */,
|
||||
);
|
||||
runOnlyForDeploymentPostprocessing = 0;
|
||||
};
|
||||
@@ -81,7 +83,7 @@
|
||||
isa = PBXFrameworksBuildPhase;
|
||||
buildActionMask = 2147483647;
|
||||
files = (
|
||||
307490676CE2A16C8D75B103 /* Pods_RunnerTests.framework in Frameworks */,
|
||||
3F21125D6B84D3CC58F3C574 /* Pods_RunnerTests.framework in Frameworks */,
|
||||
);
|
||||
runOnlyForDeploymentPostprocessing = 0;
|
||||
};
|
||||
@@ -152,6 +154,7 @@
|
||||
1498D2321E8E86230040F4C2 /* GeneratedPluginRegistrant.h */,
|
||||
1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */,
|
||||
74858FAE1ED2DC5600515810 /* AppDelegate.swift */,
|
||||
8420D0072F3D9F7E006DB6CC /* NativeFirstPage.swift */,
|
||||
74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */,
|
||||
);
|
||||
path = Runner;
|
||||
@@ -160,8 +163,8 @@
|
||||
E621C70ABD0685462494972D /* Frameworks */ = {
|
||||
isa = PBXGroup;
|
||||
children = (
|
||||
6AF04C5CFFF0B4098EEDA799 /* Pods_Runner.framework */,
|
||||
937F9432963895EF63BCCD38 /* Pods_RunnerTests.framework */,
|
||||
95135D36941D5EF2C00065B2 /* Pods_Runner.framework */,
|
||||
85810788944AB2417549F45E /* Pods_RunnerTests.framework */,
|
||||
);
|
||||
name = Frameworks;
|
||||
sourceTree = "<group>";
|
||||
@@ -199,7 +202,6 @@
|
||||
97C146EC1CF9000F007C117D /* Resources */,
|
||||
9705A1C41CF9048500538489 /* Embed Frameworks */,
|
||||
3B06AD1E1E4923F5004D2608 /* Thin Binary */,
|
||||
590CF992B35CC61AF9AA4341 /* [CP] Embed Pods Frameworks */,
|
||||
AF570E8AAEEA12D52BD19B4E /* [CP] Copy Pods Resources */,
|
||||
);
|
||||
buildRules = (
|
||||
@@ -288,23 +290,6 @@
|
||||
shellPath = /bin/sh;
|
||||
shellScript = "/bin/sh \"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh\" embed_and_thin";
|
||||
};
|
||||
590CF992B35CC61AF9AA4341 /* [CP] Embed Pods Frameworks */ = {
|
||||
isa = PBXShellScriptBuildPhase;
|
||||
buildActionMask = 2147483647;
|
||||
files = (
|
||||
);
|
||||
inputFileListPaths = (
|
||||
"${PODS_ROOT}/Target Support Files/Pods-Runner/Pods-Runner-frameworks-${CONFIGURATION}-input-files.xcfilelist",
|
||||
);
|
||||
name = "[CP] Embed Pods Frameworks";
|
||||
outputFileListPaths = (
|
||||
"${PODS_ROOT}/Target Support Files/Pods-Runner/Pods-Runner-frameworks-${CONFIGURATION}-output-files.xcfilelist",
|
||||
);
|
||||
runOnlyForDeploymentPostprocessing = 0;
|
||||
shellPath = /bin/sh;
|
||||
shellScript = "\"${PODS_ROOT}/Target Support Files/Pods-Runner/Pods-Runner-frameworks.sh\"\n";
|
||||
showEnvVarsInLog = 0;
|
||||
};
|
||||
9740EEB61CF901F6004384FC /* Run Script */ = {
|
||||
isa = PBXShellScriptBuildPhase;
|
||||
alwaysOutOfDate = 1;
|
||||
@@ -396,6 +381,7 @@
|
||||
isa = PBXSourcesBuildPhase;
|
||||
buildActionMask = 2147483647;
|
||||
files = (
|
||||
8420D0082F3D9F7E006DB6CC /* NativeFirstPage.swift in Sources */,
|
||||
74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */,
|
||||
1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */,
|
||||
);
|
||||
@@ -491,7 +477,8 @@
|
||||
CLANG_ENABLE_MODULES = YES;
|
||||
CODE_SIGN_ENTITLEMENTS = Runner/Runner.entitlements;
|
||||
CODE_SIGN_IDENTITY = "Apple Development";
|
||||
CODE_SIGN_STYLE = Automatic;
|
||||
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
|
||||
CODE_SIGN_STYLE = Manual;
|
||||
CURRENT_PROJECT_VERSION = 4;
|
||||
DEVELOPMENT_TEAM = 2228B9MS38;
|
||||
ENABLE_BITCODE = NO;
|
||||
@@ -526,8 +513,6 @@
|
||||
"-framework",
|
||||
"\"package_info_plus\"",
|
||||
"-framework",
|
||||
"\"path_provider_foundation\"",
|
||||
"-framework",
|
||||
"\"permission_handler_apple\"",
|
||||
"-framework",
|
||||
"\"shared_preferences_foundation\"",
|
||||
@@ -565,8 +550,6 @@
|
||||
"-framework",
|
||||
"\"package_info_plus\"",
|
||||
"-framework",
|
||||
"\"path_provider_foundation\"",
|
||||
"-framework",
|
||||
"\"permission_handler_apple\"",
|
||||
"-framework",
|
||||
"\"shared_preferences_foundation\"",
|
||||
@@ -759,7 +742,8 @@
|
||||
CLANG_ENABLE_MODULES = YES;
|
||||
CODE_SIGN_ENTITLEMENTS = Runner/Runner.entitlements;
|
||||
CODE_SIGN_IDENTITY = "Apple Development";
|
||||
CODE_SIGN_STYLE = Automatic;
|
||||
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
|
||||
CODE_SIGN_STYLE = Manual;
|
||||
CURRENT_PROJECT_VERSION = 4;
|
||||
DEVELOPMENT_TEAM = 2228B9MS38;
|
||||
ENABLE_BITCODE = NO;
|
||||
@@ -794,8 +778,6 @@
|
||||
"-framework",
|
||||
"\"package_info_plus\"",
|
||||
"-framework",
|
||||
"\"path_provider_foundation\"",
|
||||
"-framework",
|
||||
"\"permission_handler_apple\"",
|
||||
"-framework",
|
||||
"\"shared_preferences_foundation\"",
|
||||
@@ -833,8 +815,6 @@
|
||||
"-framework",
|
||||
"\"package_info_plus\"",
|
||||
"-framework",
|
||||
"\"path_provider_foundation\"",
|
||||
"-framework",
|
||||
"\"permission_handler_apple\"",
|
||||
"-framework",
|
||||
"\"shared_preferences_foundation\"",
|
||||
@@ -864,7 +844,8 @@
|
||||
CLANG_ENABLE_MODULES = YES;
|
||||
CODE_SIGN_ENTITLEMENTS = Runner/Runner.entitlements;
|
||||
CODE_SIGN_IDENTITY = "Apple Development";
|
||||
CODE_SIGN_STYLE = Automatic;
|
||||
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Distribution";
|
||||
CODE_SIGN_STYLE = Manual;
|
||||
CURRENT_PROJECT_VERSION = 4;
|
||||
DEVELOPMENT_TEAM = 2228B9MS38;
|
||||
ENABLE_BITCODE = NO;
|
||||
@@ -899,8 +880,6 @@
|
||||
"-framework",
|
||||
"\"package_info_plus\"",
|
||||
"-framework",
|
||||
"\"path_provider_foundation\"",
|
||||
"-framework",
|
||||
"\"permission_handler_apple\"",
|
||||
"-framework",
|
||||
"\"shared_preferences_foundation\"",
|
||||
|
||||
@@ -1,13 +1,86 @@
|
||||
import Flutter
|
||||
import UIKit
|
||||
|
||||
///
|
||||
let kAMapKey = "key";
|
||||
|
||||
|
||||
@main
|
||||
@objc class AppDelegate: FlutterAppDelegate {
|
||||
override func application(
|
||||
_ application: UIApplication,
|
||||
didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?
|
||||
) -> Bool {
|
||||
GeneratedPluginRegistrant.register(with: self)
|
||||
|
||||
GeneratedPluginRegistrant.register(with: self)
|
||||
|
||||
AMapNavSDKManager.shared().config(withKey: kAMapKey)
|
||||
|
||||
// 注册平台视图工厂
|
||||
let registrar = self.registrar(forPlugin: "NativeFirstPagePlugin")
|
||||
|
||||
let controller = window?.rootViewController as! FlutterViewController
|
||||
let nativeViewFactory = NativeViewFactory(messenger: controller.binaryMessenger)
|
||||
|
||||
registrar?.register(
|
||||
nativeViewFactory,
|
||||
withId: "NativeFirstPage"
|
||||
)
|
||||
|
||||
return super.application(application, didFinishLaunchingWithOptions: launchOptions)
|
||||
|
||||
}
|
||||
|
||||
|
||||
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
// 创建视图工厂
|
||||
class NativeViewFactory: NSObject, FlutterPlatformViewFactory {
|
||||
private var messenger: FlutterBinaryMessenger
|
||||
|
||||
init(messenger: FlutterBinaryMessenger) {
|
||||
self.messenger = messenger
|
||||
super.init()
|
||||
}
|
||||
|
||||
func create(
|
||||
withFrame frame: CGRect,
|
||||
viewIdentifier viewId: Int64,
|
||||
arguments args: Any?
|
||||
) -> FlutterPlatformView {
|
||||
return NativeFlutterView(frame: frame, viewId: viewId, args: args)
|
||||
}
|
||||
|
||||
func createArgsCodec() -> FlutterMessageCodec & NSObjectProtocol {
|
||||
return FlutterStandardMessageCodec.sharedInstance()
|
||||
}
|
||||
}
|
||||
|
||||
class NativeFlutterView: NSObject, FlutterPlatformView {
|
||||
private var _view: UIView
|
||||
private var _nativeVC: UIViewController
|
||||
|
||||
init(frame: CGRect, viewId: Int64, args: Any?) {
|
||||
// 创建原生的 ViewController 视图
|
||||
let nativeVC = AMapNavSDKManager.shared().targetVC;
|
||||
// let nativeVC = NativeFirstPage();
|
||||
|
||||
self._nativeVC = nativeVC
|
||||
|
||||
print("---frame: \(frame)");
|
||||
|
||||
_view = nativeVC.view
|
||||
_view.isUserInteractionEnabled = true
|
||||
_view.frame = CGRectMake(0, 0, CGRectGetWidth(frame), CGRectGetHeight(frame))
|
||||
super.init()
|
||||
}
|
||||
|
||||
func view() -> UIView {
|
||||
return _view
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@@ -13,7 +13,7 @@
|
||||
"size" : "20x20"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-29x29@1x.png",
|
||||
"filename" : "Icon-App-29x29 1.png",
|
||||
"idiom" : "iphone",
|
||||
"scale" : "1x",
|
||||
"size" : "29x29"
|
||||
@@ -31,25 +31,25 @@
|
||||
"size" : "29x29"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-80x80.jpg",
|
||||
"filename" : "Icon-App-80x80.png",
|
||||
"idiom" : "iphone",
|
||||
"scale" : "2x",
|
||||
"size" : "40x40"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-120x120.jpg",
|
||||
"filename" : "Icon-App-120x120.png",
|
||||
"idiom" : "iphone",
|
||||
"scale" : "3x",
|
||||
"size" : "40x40"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-120x120 1.jpg",
|
||||
"filename" : "Icon-App-120x120 1.png",
|
||||
"idiom" : "iphone",
|
||||
"scale" : "2x",
|
||||
"size" : "60x60"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-180.jpg",
|
||||
"filename" : "Icon-App-180.png",
|
||||
"idiom" : "iphone",
|
||||
"scale" : "3x",
|
||||
"size" : "60x60"
|
||||
@@ -61,19 +61,19 @@
|
||||
"size" : "20x20"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-20x20@2x.png",
|
||||
"filename" : "Icon-App-20x20@2x 1.png",
|
||||
"idiom" : "ipad",
|
||||
"scale" : "2x",
|
||||
"size" : "20x20"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-29x29@1x.png",
|
||||
"filename" : "Icon-App-29x29.png",
|
||||
"idiom" : "ipad",
|
||||
"scale" : "1x",
|
||||
"size" : "29x29"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-29x29@2x.png",
|
||||
"filename" : "Icon-App-29x29@2x 1.png",
|
||||
"idiom" : "ipad",
|
||||
"scale" : "2x",
|
||||
"size" : "29x29"
|
||||
@@ -91,7 +91,7 @@
|
||||
"size" : "40x40"
|
||||
},
|
||||
{
|
||||
"filename" : "Icon-App-76x76@1x.png",
|
||||
"filename" : "Icon-App-76x76.png",
|
||||
"idiom" : "ipad",
|
||||
"scale" : "1x",
|
||||
"size" : "76x76"
|
||||
|
||||
|
Before Width: | Height: | Size: 54 KiB After Width: | Height: | Size: 21 KiB |
|
Before Width: | Height: | Size: 4.0 KiB |
|
After Width: | Height: | Size: 1.9 KiB |
|
Before Width: | Height: | Size: 4.0 KiB |
|
After Width: | Height: | Size: 1.9 KiB |
|
Before Width: | Height: | Size: 6.0 KiB |
|
After Width: | Height: | Size: 2.7 KiB |
|
Before Width: | Height: | Size: 509 B After Width: | Height: | Size: 465 B |
|
After Width: | Height: | Size: 849 B |
|
Before Width: | Height: | Size: 848 B After Width: | Height: | Size: 849 B |
|
Before Width: | Height: | Size: 1.5 KiB After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 613 B |
|
After Width: | Height: | Size: 613 B |
|
Before Width: | Height: | Size: 707 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
Before Width: | Height: | Size: 1.1 KiB After Width: | Height: | Size: 1.1 KiB |
|
Before Width: | Height: | Size: 2.6 KiB After Width: | Height: | Size: 1.5 KiB |
|
After Width: | Height: | Size: 1.3 KiB |
|
Before Width: | Height: | Size: 2.3 KiB |
|
Before Width: | Height: | Size: 4.4 KiB After Width: | Height: | Size: 2.3 KiB |
|
Before Width: | Height: | Size: 2.6 KiB |
|
After Width: | Height: | Size: 1.4 KiB |
|
Before Width: | Height: | Size: 5.0 KiB After Width: | Height: | Size: 2.6 KiB |
@@ -2,8 +2,6 @@
|
||||
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
|
||||
<plist version="1.0">
|
||||
<dict>
|
||||
<key></key>
|
||||
<string></string>
|
||||
<key>CADisableMinimumFrameDurationOnPhone</key>
|
||||
<true/>
|
||||
<key>CFBundleDevelopmentRegion</key>
|
||||
@@ -16,6 +14,11 @@
|
||||
<string>$(PRODUCT_BUNDLE_IDENTIFIER)</string>
|
||||
<key>CFBundleInfoDictionaryVersion</key>
|
||||
<string>6.0</string>
|
||||
<key>CFBundleLocalizations</key>
|
||||
<array>
|
||||
<string>zh-Hans</string>
|
||||
<string>en</string>
|
||||
</array>
|
||||
<key>CFBundleName</key>
|
||||
<string>ln_jq_app</string>
|
||||
<key>CFBundlePackageType</key>
|
||||
@@ -28,6 +31,10 @@
|
||||
<string>$(FLUTTER_BUILD_NUMBER)</string>
|
||||
<key>ITSAppUsesNonExemptEncryption</key>
|
||||
<false/>
|
||||
<key>LSApplicationQueriesSchemes</key>
|
||||
<array>
|
||||
<string>iosamap</string>
|
||||
</array>
|
||||
<key>LSRequiresIPhoneOS</key>
|
||||
<true/>
|
||||
<key>NSCameraUsageDescription</key>
|
||||
@@ -44,6 +51,12 @@
|
||||
<string>需要访问您的相册以选择二维码图片进行识别</string>
|
||||
<key>UIApplicationSupportsIndirectInputEvents</key>
|
||||
<true/>
|
||||
<key>UIBackgroundModes</key>
|
||||
<array>
|
||||
<string>remote-notification</string>
|
||||
<string>fetch</string>
|
||||
<string>location</string>
|
||||
</array>
|
||||
<key>UILaunchStoryboardName</key>
|
||||
<string>LaunchScreen</string>
|
||||
<key>UIMainStoryboardFile</key>
|
||||
@@ -63,18 +76,5 @@
|
||||
</array>
|
||||
<key>uses</key>
|
||||
<string></string>
|
||||
|
||||
<key>UIBackgroundModes</key>
|
||||
<array>
|
||||
<string>remote-notification</string>
|
||||
<string>fetch</string>
|
||||
</array>
|
||||
|
||||
<key>CFBundleLocalizations</key>
|
||||
<array>
|
||||
<string>zh-Hans</string>
|
||||
<string>en</string>
|
||||
</array>
|
||||
|
||||
</dict>
|
||||
</plist>
|
||||
|
||||
66
ln_jq_app/ios/Runner/NativeFirstPage.swift
Normal file
@@ -0,0 +1,66 @@
|
||||
//
|
||||
// NativeFirstPage.swift
|
||||
// Runner
|
||||
//
|
||||
// Created by admin on 2026/2/9.
|
||||
//
|
||||
|
||||
import UIKit
|
||||
|
||||
class NativeFirstPage: UIViewController {
|
||||
var lable:UILabel!
|
||||
|
||||
override func viewDidLoad() {
|
||||
super.viewDidLoad()
|
||||
|
||||
// Do any additional setup after loading the view.
|
||||
view.backgroundColor = .white
|
||||
|
||||
// 创建原生UI
|
||||
let label = UILabel()
|
||||
label.text = "iOS 原生页面."
|
||||
label.font = UIFont.systemFont(ofSize: 24, weight: .bold)
|
||||
label.textAlignment = .center
|
||||
label.translatesAutoresizingMaskIntoConstraints = false
|
||||
|
||||
let button = UIButton(type: .custom)
|
||||
button.setTitle("点击原生按钮", for: .normal)
|
||||
button.titleLabel?.font = UIFont.systemFont(ofSize: 18)
|
||||
button.addTarget(self, action: #selector(buttonTapped), for: .touchUpInside)
|
||||
button.translatesAutoresizingMaskIntoConstraints = false
|
||||
button.backgroundColor = .blue
|
||||
|
||||
view.addSubview(label)
|
||||
view.addSubview(button)
|
||||
|
||||
NSLayoutConstraint.activate([
|
||||
label.centerXAnchor.constraint(equalTo: view.centerXAnchor),
|
||||
label.centerYAnchor.constraint(equalTo: view.centerYAnchor, constant: -50),
|
||||
|
||||
button.topAnchor.constraint(equalTo: label.bottomAnchor, constant: 30),
|
||||
button.centerXAnchor.constraint(equalTo: view.centerXAnchor)
|
||||
])
|
||||
|
||||
self.lable = label
|
||||
|
||||
}
|
||||
|
||||
@objc func buttonTapped() {
|
||||
self.lable.text = "click...";
|
||||
|
||||
// 原生按钮点击事件
|
||||
let alert = UIAlertController(
|
||||
title: "原生弹窗",
|
||||
message: "来自 iOS 原生的提示",
|
||||
preferredStyle: .alert
|
||||
)
|
||||
alert.addAction(UIAlertAction(title: "确定", style: .default))
|
||||
present(alert, animated: true)
|
||||
}
|
||||
|
||||
|
||||
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
|
||||
view.backgroundColor = .orange
|
||||
}
|
||||
|
||||
}
|
||||
@@ -1 +1,2 @@
|
||||
#import "GeneratedPluginRegistrant.h"
|
||||
#import <AMapNavSDKManager.h>
|
||||
|
||||
@@ -8,11 +8,11 @@ class AppTheme {
|
||||
static const Color themeColor = Color(0xFF017137);
|
||||
|
||||
//是否开放域名切换
|
||||
static const bool is_show_host = true;
|
||||
static const bool is_show_host = false;
|
||||
|
||||
//http://192.168.110.222:8080/
|
||||
//http://192.168.110.44:8080/
|
||||
static String test_service_url = "https://beta-esg.api.lnh2e.com/";
|
||||
static String test_service_url = "http://47.101.201.13:8443/api/";
|
||||
static const String release_service_url = "";
|
||||
|
||||
//加氢站相关查询
|
||||
|
||||
@@ -16,7 +16,7 @@ void main() async {
|
||||
WidgetsFlutterBinding.ensureInitialized();
|
||||
|
||||
WidgetsBinding widgetsBinding = await init(
|
||||
isDebug: true,
|
||||
isDebug: false,
|
||||
logTag: '小羚羚',
|
||||
supportedLocales: [const Locale('zh', 'CN')],
|
||||
);
|
||||
@@ -34,7 +34,7 @@ void main() async {
|
||||
// 设计稿尺寸 单位:dp
|
||||
designSize: const Size(390, 844),
|
||||
// Getx Log
|
||||
enableLog: true,
|
||||
enableLog: false,
|
||||
// 默认的跳转动画
|
||||
defaultTransition: Transition.rightToLeft,
|
||||
// 主题模式
|
||||
@@ -69,12 +69,15 @@ void initHttpSet() {
|
||||
HttpService.to.dio.interceptors.add(TokenInterceptor(tokenKey: 'asoco-token'));
|
||||
HttpService.to.setOnResponseHandler((response) async {
|
||||
try {
|
||||
if (response.data == null) {
|
||||
return null;
|
||||
}
|
||||
final baseModel = BaseModel.fromJson(response.data);
|
||||
if (baseModel.code == 0 || baseModel.code == 200) {
|
||||
return null;
|
||||
} else if (baseModel.code == 401) {
|
||||
await StorageService.to.clearLoginInfo();
|
||||
Get.offAll(() => const LoginPage());
|
||||
// Get.offAll(() => const LoginPage());
|
||||
return baseModel.message;
|
||||
} else {
|
||||
return (baseModel.error.toString()).isEmpty
|
||||
|
||||
82
ln_jq_app/lib/pages/c_page/base_widgets/NativePageIOS.dart
Normal file
@@ -0,0 +1,82 @@
|
||||
import 'dart:io';
|
||||
|
||||
import 'package:flutter/foundation.dart';
|
||||
import 'package:flutter/gestures.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter/rendering.dart';
|
||||
import 'package:flutter/services.dart';
|
||||
|
||||
/// 原生地图页面
|
||||
class NativePageIOS extends StatelessWidget {
|
||||
const NativePageIOS({super.key});
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
if (Platform.isIOS) {
|
||||
return _buildIOSView(context);
|
||||
} else if (Platform.isAndroid) {
|
||||
return _buildAndroidView(context);
|
||||
} else {
|
||||
return const Center(
|
||||
child: Text('不支持的平台', style: TextStyle(fontSize: 16)),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
/// 构建iOS Platform View
|
||||
Widget _buildIOSView(BuildContext context) {
|
||||
return Container(
|
||||
width: MediaQuery.of(context).size.width,
|
||||
height: MediaQuery.of(context).size.height - 100,
|
||||
color: Colors.white,
|
||||
child: UiKitView(
|
||||
viewType: 'NativeFirstPage', // 与iOS原生端注册的标识一致
|
||||
gestureRecognizers: <Factory<OneSequenceGestureRecognizer>>{}.toSet(),
|
||||
hitTestBehavior: PlatformViewHitTestBehavior.opaque,
|
||||
creationParamsCodec: const StandardMessageCodec(),
|
||||
layoutDirection: TextDirection.ltr,
|
||||
),
|
||||
);
|
||||
}
|
||||
|
||||
/// 构建Android Platform View
|
||||
Widget _buildAndroidView(BuildContext context) {
|
||||
return Container(
|
||||
width: MediaQuery.of(context).size.width,
|
||||
height: MediaQuery.of(context).size.height - 100,
|
||||
color: Colors.white,
|
||||
child: AndroidView(
|
||||
viewType: 'NativeFirstPage', // 与Android原生端注册的标识一致
|
||||
gestureRecognizers: <Factory<OneSequenceGestureRecognizer>>{}.toSet(),
|
||||
hitTestBehavior: PlatformViewHitTestBehavior.opaque,
|
||||
creationParamsCodec: const StandardMessageCodec(),
|
||||
layoutDirection: TextDirection.ltr,
|
||||
),
|
||||
);
|
||||
}
|
||||
|
||||
/// 处理点击事件(如需要)
|
||||
void _handleTap(BuildContext context) {
|
||||
if (kDebugMode) {
|
||||
print("NativePage被点击");
|
||||
}
|
||||
_showDialog(context, '提示', '点击了原生地图页面');
|
||||
}
|
||||
|
||||
/// 显示对话框
|
||||
void _showDialog(BuildContext context, String title, String content) {
|
||||
showDialog(
|
||||
context: context,
|
||||
builder: (context) => AlertDialog(
|
||||
title: Text(title),
|
||||
content: Text(content),
|
||||
actions: [
|
||||
TextButton(
|
||||
onPressed: () => Navigator.pop(context),
|
||||
child: const Text('确定'),
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
@@ -2,6 +2,7 @@ import 'package:flutter/material.dart';
|
||||
import 'package:get/get.dart';
|
||||
import 'package:getx_scaffold/getx_scaffold.dart';
|
||||
import 'package:ln_jq_app/common/login_util.dart';
|
||||
import 'package:ln_jq_app/pages/c_page/base_widgets/NativePageIOS.dart';
|
||||
import 'package:ln_jq_app/pages/c_page/car_info/view.dart';
|
||||
import 'package:ln_jq_app/pages/c_page/map/view.dart';
|
||||
import 'package:ln_jq_app/pages/c_page/mine/view.dart';
|
||||
@@ -33,7 +34,7 @@ class BaseWidgetsPage extends GetView<BaseWidgetsController> {
|
||||
}
|
||||
|
||||
List<Widget> _buildPages() {
|
||||
return [ReservationPage(), MapPage(), CarInfoPage(), MinePage()];
|
||||
return [ReservationPage(), NativePageIOS(), CarInfoPage(), MinePage()];
|
||||
}
|
||||
|
||||
// 自定义导航栏 (悬浮胶囊样式)
|
||||
|
||||
@@ -43,7 +43,8 @@ class HomeController extends GetxController with BaseControllerMixin {
|
||||
}
|
||||
} else {
|
||||
// 未登录,直接去登录页
|
||||
return LoginPage();
|
||||
return BaseWidgetsPage();
|
||||
// return LoginPage();
|
||||
}
|
||||
}
|
||||
|
||||
|
||||