diff --git a/images/navi_pointer.png b/images/navi_pointer.png new file mode 100644 index 0000000..2906654 Binary files /dev/null and b/images/navi_pointer.png differ diff --git a/images/satellite.png b/images/satellite.png new file mode 100644 index 0000000..6dc2ab4 Binary files /dev/null and b/images/satellite.png differ diff --git a/lib/appbar/appbar.dart b/lib/appbar/appbar.dart new file mode 100644 index 0000000..7a4199b --- /dev/null +++ b/lib/appbar/appbar.dart @@ -0,0 +1,162 @@ +import 'package:flutter/material.dart'; +import 'package:get/get.dart'; + +import '../login_in/connect/bluetooth_page.dart'; +import '../login_in/connect/connect_type.dart'; +import '../login_in/getx/real_data.dart'; +import '../main.dart'; +import '../screens/aimpoint_page.dart'; + +final RealController controller1 = Get.find(); + +class CustomAppBar extends StatelessWidget implements PreferredSizeWidget { + final double appBarHeight; + final RxInt _currentIndex; + + CustomAppBar({required this.appBarHeight, required RxInt currentIndex}) + : _currentIndex = currentIndex; + + @override + Widget build(BuildContext context) { + const textStyle = TextStyle(fontSize: 16); + return AppBar( + toolbarHeight: 40, + centerTitle: true, // 标题居中 + title: Obx(() { + if (_currentIndex.value == 0) { + return const Text("桩点:", style: textStyle); + } else if (_currentIndex.value == 1) { + return const Text("设备:", style: textStyle); + } else { + return const Text("系统:", style: textStyle); + } + }), + // title: _currentIndex.value == 0 + // ? Obx(() => Text("桩点:${realController.pileId.value}", + // style: textStyle)) + // : const Text("设备:", style: textStyle), + // // const Center( + // // child: Obx(() => Text("设备:", style: textStyle)), + // // ), + // title: Obx(() { + // if (_currentIndex.value == 1) { + // return const Text("设备:", style: textStyle); + // } else if (_currentIndex.value == 0) { + // return Text("桩点:${realController.pileId.value}", + // style: textStyle); + // } else { + // return const Text("系统:", style: textStyle); + // } + // }), + + actions: [ + InkWell( + onTap: () { + MyApp.isDarkMode.value = !MyApp.isDarkMode.value; + }, + child: Icon( + MyApp.isDarkMode.value ? Icons.dark_mode : Icons.sunny, + size: 35, + ), + ), + const SizedBox( + width: 10, + ), + InkWell( + onTap: () => Navigator.push(context, + MaterialPageRoute(builder: (context) => const ScenceMap())), + child: Image( + image: const AssetImage('images/satellite.png'), + // width: 40, + color: MyApp.isDarkMode.value + ? Colors.white70 + : const Color.fromARGB(200, 29, 28, 28), + height: 40, + ), + ), + const SizedBox( + width: 10, + ), + _currentIndex.value == 1 + ? Row( + children: [ + Obx( + () => InkWell( + onTap: () { + // 点击图标时显示对点卡片 + sight.isCardVisible.value = + !sight.isCardVisible.value; // 确保控制器已定义 + }, + child: Icon( + Icons.my_location_sharp, + size: 35, + color: sight.isCardVisible.value + ? Colors.blue + // : const Color.fromARGB(200, 29, 28, 28), + : (MyApp.isDarkMode.value + ? Colors.white70 + : const Color.fromARGB(200, 29, 28, 28)), + ), // 新增图标 + ), + ), + const SizedBox( + width: 10, + ), + Obx( + () => InkWell( + onTap: () { + final RealController controller1 = Get.find(); // 获取控制器 + controller1.isDataVisible.value = + !controller1.isDataVisible.value; // 更新控制器中的值 + }, + child: Icon( + Icons.date_range_rounded, + size: 35, + color: controller1.isDataVisible.value + ? Colors.blue + : (MyApp.isDarkMode.value + ? Colors.white70 + : const Color.fromARGB(200, 29, 28, 28)), + ), // 新增图标 + ), + ), + const SizedBox( + width: 10, + ), + UnconstrainedBox( + child: SizedBox( + height: 30, + child: Builder( + builder: (context) => InkWell( + child: Icon( + Icons.settings_outlined, + size: 35, + color: MyApp.isDarkMode.value + ? Colors.white70 + : const Color.fromARGB(200, 29, 28, 28), + ), + onTap: () => Scaffold.of(context).openEndDrawer(), + ), + ), + ), + ) + ], + ) + : const Text(""), + Obx(() => Icon( + blueToothController.connectedType.value == ConnectType.wifi + ? Icons.wifi + : (blueToothController.connectedType.value == + ConnectType.bluetooth + ? Icons.bluetooth + : Icons.close), + color: Colors.green, + size: 30, + )) + ], + ); + } + + @override + Size get preferredSize => Size.fromHeight(appBarHeight); +} diff --git a/lib/login_in/connect/blue_tooth.dart b/lib/login_in/connect/blue_tooth.dart new file mode 100644 index 0000000..2b6891a --- /dev/null +++ b/lib/login_in/connect/blue_tooth.dart @@ -0,0 +1,59 @@ +// ignore_for_file: constant_identifier_names + +import 'dart:typed_data'; + +import 'package:flutter/services.dart'; +import 'package:quick_blue/quick_blue.dart'; + +import 'bluetooth_page.dart'; +import 'connect_type.dart'; + +class BlueParams { + String serviceId = "00FF"; + // 七参数 + // Map characteristicId = { + // "coorTransId": "FF01", //七参数 + // "realId": "FF02", //实时 + // }; + String characteristicId = "FF01"; + String gssUuid(String code) => '0000$code-0000-1000-8000-00805f9b34fb'; +} + +class BlueSetting { + BlueParams blueParams = BlueParams(); + connect(String deviceId) async { + blueToothController.connectedType.value = ConnectType.bluetooth; + blueToothController.connectedDeviceID.value = deviceId; + blueToothController.isConnected.value = true; + QuickBlue.connect(deviceId); + QuickBlue.discoverServices(deviceId); + String service = blueParams.gssUuid(blueParams.serviceId); + String characteristic = blueParams.gssUuid("FF01"); + // 订阅实时数据 + Future.delayed(const Duration(milliseconds: 2000), () { + QuickBlue.writeValue(deviceId, service, characteristic, + Uint8List.fromList([0xf2]), BleOutputProperty.withResponse); + }); + } + + disConnect(deviceId) { + blueToothController.isConnected.value = false; + QuickBlue.disconnect(deviceId); + } + + write(String deviceId, Uint8List bytes) { + QuickBlue.writeValue( + deviceId, + blueParams.gssUuid(blueParams.serviceId), + blueParams.gssUuid(blueParams.characteristicId), + bytes, + BleOutputProperty.withResponse); + } +} + +enum Coord { + BJ54, + XA80, + WGS84, + WGS2000, +} diff --git a/lib/login_in/connect/bluetooth_page.dart b/lib/login_in/connect/bluetooth_page.dart new file mode 100644 index 0000000..ac93c48 --- /dev/null +++ b/lib/login_in/connect/bluetooth_page.dart @@ -0,0 +1,344 @@ +import 'dart:async'; +import 'dart:typed_data'; +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; + +import 'package:get/get.dart'; +import 'package:open_settings/open_settings.dart'; +import 'package:permission_handler/permission_handler.dart'; +import 'package:quick_blue/quick_blue.dart'; + +import 'blue_tooth.dart'; +import 'config.dart'; +import '../getx/blue_tooth.dart'; +import '../getx/real_data.dart'; + +BlueParams blueParams = BlueParams(); +BlueSetting blueSetting = BlueSetting(); +//字体 +TextStyle textStyle = const TextStyle(fontSize: 15); +//扫描的数据 +final _scanResults = []; +//蓝牙是否开启 +bool isBlueToothOpen = false; +//选中的蓝牙 +int connetedIndex = -1; +//当前id +String selectDeviceId = ""; +//是否是第一次询问权限 +bool isFirstAsk = true; +final BlueToothController blueToothController = Get.put(BlueToothController()); + +class BlueTooth extends StatefulWidget { + const BlueTooth({super.key}); + + @override + State createState() => _BlueToothState(); +} + +class _BlueToothState extends State { + StreamSubscription? _scanResultSubscription; + // StreamSubscription? _availabilitySubscription; + + Widget _buildListView(BuildContext context) { + return ListView.separated( + itemBuilder: (context, index) { + String text = "连接"; + if (_scanResults[index].deviceId == selectDeviceId) { + text = "断开连接"; + } + return Container( + height: 50, + margin: const EdgeInsets.only(bottom: 10), + // decoration: + // BoxDecoration(color: isDarkMode ? Colors.black : Colors.white), + child: Row( + children: [ + Expanded( + child: ListTile( + title: Text( + '${_scanResults[index].name}(${_scanResults[index].rssi})'), //rssi信号强度指示 + subtitle: Text(_scanResults[index].deviceId), + onTap: () async { + setState(() { + connetedIndex = index; + selectDeviceId = _scanResults[connetedIndex].deviceId; + AppConfig.updateConfig("deviceId", selectDeviceId); + }); + bool tt = await QuickBlue.isBluetoothAvailable(); + if (tt) { + blueSetting.connect(selectDeviceId); + } else { + setState(() { + settingBluetoothDialog(); + }); + } + }, + ), + ), + Container( + padding: const EdgeInsets.only(right: 5), + // width: 80, + child: ElevatedButton( + onPressed: () async { + if (text == "断开连接") { + QuickBlue.disconnect(selectDeviceId); + selectDeviceId = ""; + blueToothController.connectedDeviceID.value = ""; + // blueToothController.connectedType.value = ""; + setState(() { + text = "连接"; + }); + } else { + setState(() { + if (_scanResults.isNotEmpty) { + connetedIndex = index; + selectDeviceId = _scanResults[connetedIndex].deviceId; + AppConfig.updateConfig("deviceId", selectDeviceId); + } + }); + bool tt = await QuickBlue.isBluetoothAvailable(); + if (tt) { + blueSetting.connect(selectDeviceId); + } else { + setState(() { + settingBluetoothDialog(); + }); + } + } + }, + child: Text( + text, + style: textStyle, + ), + ), + ) + ], + ), + ); + }, + separatorBuilder: (context, index) => const Divider(), + itemCount: _scanResults.length, + ); + } + + void startBluetoothScan() { + _scanResults.length = 0; + //监视蓝牙是否开启 + QuickBlue.availabilityChangeStream.listen((AvailabilityState state) { + debugPrint('Bluetooth state: ${state.toString()}'); + }); + + //扫描蓝牙设备 + _scanResultSubscription = + QuickBlue.scanResultStream.listen((BlueScanResult result) { + if (!_scanResults.any((r) => r.deviceId == result.deviceId)) { + setState(() { + _scanResults.add(result); + if (result.deviceId == blueToothController.connectedDeviceID.value) { + connetedIndex = _scanResults.length - 1; + selectDeviceId = result.deviceId; + blueSetting.connect(selectDeviceId); + } + }); + } + }); + + //开始扫描 + QuickBlue.startScan(); + QuickBlue.setConnectionHandler(_handleConnectionChange); + QuickBlue.setServiceHandler(_handleServiceDiscovery); + QuickBlue.setValueHandler(_handleValueChange); + } + + Future openBluetoothDialog() { + return showDialog( + context: context, + builder: (context) { + return AlertDialog( + title: const Text("提示"), + content: const Text("无法获取到开启蓝牙和位置权限,请到系统设置中开启蓝牙和位置权限。"), + actions: [ + TextButton( + onPressed: () { + Navigator.of(context).pop(); + }, + child: const Text("确定")) + ]); + }); + } + + Future settingBluetoothDialog() { + return showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + title: const Text("提示"), + content: SingleChildScrollView( + child: ListBody( + children: [ + const Center( + child: Text("蓝牙暂未开启"), + ), + const SizedBox( + height: 20, + ), + TextButton( + onPressed: () { + OpenSettings.openBluetoothSetting(); + }, + child: const Text("去打开")) + ], + ), + ), + actions: [ + TextButton( + child: const Text("确定"), + onPressed: () { + Navigator.of(context).pop(); + }, + ), + ], + ); + }, + ); + } + + // 表示应用程序请求的权限已被用户拒绝。 + PermissionStatus denied = PermissionStatus.denied; + // 表示应用程序请求的权限已被用户授予。 + PermissionStatus granted = PermissionStatus.granted; + final RealController realController = Get.put(RealController()); + Uint8List bleList = Uint8List(0); + @override + void initState() { + super.initState(); + SchedulerBinding.instance.addPostFrameCallback((_) async { + //先查看蓝牙是否开启 + if (await QuickBlue.isBluetoothAvailable() == true) { + //获取手机权限 + if (await Permission.location.status == granted && + await Permission.bluetoothScan.status == granted && + await Permission.bluetoothConnect.status == granted) { + //蓝牙部分 + startBluetoothScan(); + } else { + if (isFirstAsk) { + if (await Permission.location.status == denied) { + await Permission.location.request(); + } + if (await Permission.bluetoothScan.status == denied) { + await Permission.bluetoothScan.request(); + } + if (await Permission.bluetoothConnect.status == denied) { + await Permission.bluetoothConnect.request(); + } + isFirstAsk = false; + if (await Permission.location.status == granted && + await Permission.bluetoothScan.status == granted && + await Permission.bluetoothConnect.status == granted) { + startBluetoothScan(); + } else { + setState(() { + openBluetoothDialog(); + }); + } + } else { + setState(() { + openBluetoothDialog(); + }); + } + } + } else { + setState(() { + settingBluetoothDialog(); + }); + } + }); + } + + void _handleConnectionChange(String deviceId, BlueConnectionState state) { + if (state == BlueConnectionState.connected) { + QuickBlue.discoverServices(selectDeviceId); + } + if (state == BlueConnectionState.connected) { + QuickBlue.discoverServices(selectDeviceId); + //显示蓝牙连接成功 + + // //传入当前蓝牙id + // settingController.changeID(bluetoothId); + } else if (state == BlueConnectionState.disconnected) { + // blueToothController.connectedType.value = ""; + } + } + + void _handleServiceDiscovery( + String deviceId, String serviceId, List characteristicIds) { + if (characteristicIds.contains(blueParams.gssUuid("FF02").toLowerCase())) { + QuickBlue.setNotifiable(selectDeviceId, serviceId, + blueParams.gssUuid("FF02"), BleInputProperty.indication); + } + + print('_handleServiceDiscovery $deviceId, $serviceId, $characteristicIds'); + } + + List originalList = []; + void _handleValueChange( + String deviceId, String characteristicId, Uint8List value) { + ByteData byteData = value.buffer.asByteData(); + int dataType = byteData.getInt8(2); + originalList.add(value); + if (dataType == 4) { + cropAndConcatUint8List(originalList); + Uint8List list = cropAndConcatUint8List(originalList); + realController.onBleData(list); + originalList.length = 0; + } + + // + } + + Uint8List cropAndConcatUint8List(List originalList) { + List concatenatedList = []; + + for (int i = 0; i < originalList.length; i++) { + Uint8List currentUint8List = originalList[i]; + + if (currentUint8List.length >= 3) { + List croppedList = currentUint8List.sublist(3); + concatenatedList.addAll(croppedList); + } + } + + return Uint8List.fromList(concatenatedList); + } + + @override + void dispose() { + super.dispose(); + + QuickBlue.stopScan(); + // QuickBlue.setValueHandler(null); + // QuickBlue.setServiceHandler(null); + // QuickBlue.setConnectionHandler(null); + _scanResultSubscription?.cancel(); + // _availabilitySubscription?.cancel(); + } + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar( + title: const Text("蓝牙设备"), + actions: [ + IconButton( + onPressed: () { + startBluetoothScan(); + }, + icon: const Icon(Icons.refresh)) + ], + ), + body: _buildListView(context), + ); + } +} diff --git a/lib/login_in/connect/config.dart b/lib/login_in/connect/config.dart new file mode 100644 index 0000000..f85646f --- /dev/null +++ b/lib/login_in/connect/config.dart @@ -0,0 +1,69 @@ +import 'dart:convert'; +import 'dart:io'; +import 'package:path_provider/path_provider.dart'; + +import 'connect_type.dart'; + +class AppConfig { + static late final Map config; + + static Future load() async { + String configString = await _readConfigFile(); + if (configString.isEmpty) { + config = {}; + return; + } + config = json.decode(configString); + } + + static Future _readConfigFile() async { + Directory directory = await getApplicationDocumentsDirectory(); + File file = File('${directory.path}/config.json'); + if (await file.exists()) { + } else { + Map content = {}; + String fileContent = json.encode(content); + file.writeAsStringSync(fileContent); + } + return await file.readAsString(); + } + + static Future _writeConfigFile(String content) async { + Directory directory = await getApplicationDocumentsDirectory(); + File file = File('${directory.path}//config.json'); + await file.writeAsString(content); + } + + static void updateConfig(String key, dynamic value) { + config[key] = value; + _writeConfigFile(json.encode(config)); + } +} + +// config 参数内容 + +class Config { + // 连接方式 wifi 或蓝牙 + ConnectType? connectType; + // 已连接蓝牙id + String? deviceId; +// 连接wifi 的固定地址 + String? ip; + int? port; + Config({ + this.connectType, + this.deviceId, + this.ip, + this.port, + }); + factory Config.fromJson(Map data) { + return Config( + connectType: data['connectType'] == "wifi" + ? ConnectType.wifi + : ConnectType.bluetooth, + deviceId: data['deviceId'] ?? "", + ip: data['ip'] ?? "192.168.4.1", + port: data['port'] == null ? 6000 : data["port"], + ); + } +} diff --git a/lib/login_in/connect/connect_type.dart b/lib/login_in/connect/connect_type.dart new file mode 100644 index 0000000..951c694 --- /dev/null +++ b/lib/login_in/connect/connect_type.dart @@ -0,0 +1,6 @@ + +enum ConnectType { + wifi, + bluetooth, + none +} \ No newline at end of file diff --git a/lib/login_in/connect/index.dart b/lib/login_in/connect/index.dart new file mode 100644 index 0000000..013abc1 --- /dev/null +++ b/lib/login_in/connect/index.dart @@ -0,0 +1,184 @@ +import 'dart:typed_data'; + +import 'package:flutter/material.dart'; + +import '../service/coor_trans.dart'; +import 'bluetooth_page.dart'; + +import 'config.dart'; +import 'connect_type.dart'; +import 'blue_tooth.dart'; +import 'wifi.dart'; + +class Connect { + SocketSetting socket = SocketSetting(); + BlueSetting blueSetting = BlueSetting(); + Config config = Config(); + init() async { + await AppConfig.load(); + config = Config.fromJson(AppConfig.config); + if (config.connectType != null) { + // if (config.connectType == "wifi") { + // config.connectType = ConnectType.wifi; + // } else { + // config.connectType = ConnectType.bluetooth; + // } + blueToothController.connectedType.value = + config.connectType ?? ConnectType.none; + if (config.connectType == ConnectType.wifi) { + if (config.ip != null) { + socket.ip = config.ip ?? "192.168.4.1"; + socket.port = config.port ?? 6000; + await socket.connect(); + } + } else { + if (config.deviceId != "") { + blueToothController.connectedDeviceID.value = config.deviceId!; + //蓝牙 + await blueSetting.connect(config.deviceId!); + } + } + } + } + + disconnect(ConnectType type) { + if (type == ConnectType.wifi) { + socket.disConnect(); + } else { + blueSetting.disConnect(blueToothController.connectedDeviceID.value); + } + } + +// 实时读写 + write(Uint8List value) { + if (blueToothController.connectedType.value == ConnectType.wifi) { + socket.write(value); + } else if (blueToothController.connectedType.value == + ConnectType.bluetooth) { + blueSetting.write(blueToothController.connectedDeviceID.value, value); + } else { + print("暂无连接"); + } + } + + writeCoorTransValue(String deviceId, CoorTransModel coorTrans) { + Uint8List bytes = Uint8List(20); + ByteData data = ByteData.view(bytes.buffer); + // 0xF0 + 2字节地址 + 1字节数据长度(以字节为单位)+ 数据 + data.setInt8(0, 0xF0); + data.setInt16(1, 608, Endian.little); + data.setInt8(3, 16); + // data.setFloat64(4, coorTrans.L0); + +// 椭球基准 601 2 + sendData( + bytes, 601, 2, [toCoordString(coorTrans.dstEllipsoid).index], deviceId); + +// L0,elevation 608 16 + Future.delayed(const Duration(milliseconds: 2000), () { + sendData( + bytes, + 608, + 16, + [(coorTrans.L0 * 1e8).toInt(), (coorTrans.elevation * 1000).toInt()], + deviceId); + }); + +// x 616 16 + Future.delayed(const Duration(milliseconds: 3000), () { + sendData( + bytes, + 616, + 16, + [(coorTrans.dx * 1000).toInt(), (coorTrans.wx * 1000).toInt()], + deviceId); + }); + +// y 624 16 + Future.delayed(const Duration(milliseconds: 4000), () { + sendData( + bytes, + 624, + 16, + [(coorTrans.dy * 1000).toInt(), (coorTrans.wy * 1000).toInt()], + deviceId); + }); + +// z 632 16 + Future.delayed(const Duration(milliseconds: 4000), () { + sendData( + bytes, + 632, + 16, + [(coorTrans.dz * 1000).toInt(), (coorTrans.wz * 1000).toInt()], + deviceId); + }); + +// k 640 8 + Future.delayed(const Duration(milliseconds: 5000), () { + ByteData data = ByteData.view(bytes.buffer); + data.setInt8(0, 0xF0); + data.setInt16(1, 640, Endian.little); + data.setInt8(3, 8); + data.setInt64(4, (coorTrans.k * 1000).toInt(), Endian.little); + write(bytes); + }); + + Future.delayed(const Duration(milliseconds: 7000), () { + save(deviceId, bytes, data); + }); + } + + void sendData(Uint8List bytes, int code, int length, List values, + String deviceId) { + ByteData data = ByteData.view(bytes.buffer); + data.setInt8(0, 0xF0); + data.setInt16(1, code, Endian.little); + data.setInt8(3, length); + for (int i = 0; i < values.length; i++) { + data.setInt64(4 + i * 8, (values[i] * 1000).toInt(), Endian.little); + } + write(bytes); + } + + save(String deviceId, Uint8List bytes, ByteData data) { + // 采用 0X55BB 600 2 + data.setInt16(1, 600, Endian.little); + data.setInt8(3, 2); + data.setUint16(4, 0x55AA, Endian.little); + write(bytes); + } + + Coord toCoordString(String coord) { + switch (coord) { + case "BJ54": + return Coord.BJ54; + case "XA80": + return Coord.XA80; + case "WGS84": + return Coord.WGS84; + case "WGS2000": + return Coord.WGS2000; + default: + return Coord.WGS2000; + } + } + + writeAntenna(Offset center, Offset right, String deviceId) { + Uint8List bytes = Uint8List(20); + ByteData data = ByteData.view(bytes.buffer); + + // 604 8 X0右侧天线 X1 中心点 + data.setInt8(0, 0xF0); + data.setInt16(1, 604, Endian.little); + data.setInt8(3, 8); + data.setInt16(4, (right.dx * 1000).toInt(), Endian.little); + data.setInt16(6, (right.dy * 1000).toInt(), Endian.little); + data.setInt16(8, (center.dx * 1000).toInt(), Endian.little); + data.setInt16(10, (center.dy * 1000).toInt(), Endian.little); + write(bytes); + Future.delayed(const Duration(milliseconds: 1000), () { + save(deviceId, bytes, data); + }); + } +} diff --git a/lib/login_in/connect/my_routes.dart b/lib/login_in/connect/my_routes.dart new file mode 100644 index 0000000..3403793 --- /dev/null +++ b/lib/login_in/connect/my_routes.dart @@ -0,0 +1,49 @@ +//配置路由 + +import 'package:flutter/material.dart'; + + +import '../../main.dart'; +import '../../screens/login_page.dart'; +import '../user/loginprefs.dart'; + +/* + * 这个方法是固定写法,功能就像是一个拦截器。 + */ +Route? onGenerateRoute(RouteSettings settings) { + Map routes = { + 'home': const MyApp(), //定义app路径 + 'login': const Login(), //定义login路径 + }; + + String routerName = routeBeforeHook(settings); + bool mathMap = false; + Route? mathWidget; + routes.forEach((key, v) { + if (key == routerName) { + mathMap = true; + mathWidget = MaterialPageRoute(builder: (BuildContext context) => v); + } + }); + + if (mathMap) { + return mathWidget; + } + return MaterialPageRoute( + builder: (BuildContext context) => const Text('404')); +} + +String routeBeforeHook(RouteSettings settings) { + if (checkToken() == false) { + return 'login'; + } else { + return settings.name!; + } +} + +bool checkToken() { + LoginPrefs loginPrefs = LoginPrefs(); + String token = loginPrefs.getToken(); + if ('' != token) return true; + return false; +} diff --git a/lib/login_in/connect/wifi.dart b/lib/login_in/connect/wifi.dart new file mode 100644 index 0000000..7174620 --- /dev/null +++ b/lib/login_in/connect/wifi.dart @@ -0,0 +1,92 @@ +import 'dart:io'; +import 'dart:typed_data'; +import 'package:get/get.dart'; + +import 'bluetooth_page.dart'; +import '../getx/real_data.dart'; + +final RealController realController = Get.find(); + +class SocketSetting { + int port = 6000; + String ip = "192.168.4.1"; + bool isConnected = false; + int times = 0; + RawDatagramSocket? socket; + connect() async { + // tcp连接 + // try { + // socket = await Socket.connect(ip, port); + // // 订阅 + // socket!.add([0xf2]); + + // // 监听服务器回复 + // socket!.listen( + // (Uint8List data) { + // realController.onBleData(data); + // // print('收到服务器回复:$data'); + // }, + // onError: (error) async { + // disConnect(); + + // print('与服务器的连接发生错误:$error'); + // socket = await Socket.connect(ip, port); + // return; + // }, + // ); + + // // 监听服务器断开连接 + // socket!.done.then((_) { + // print('与服务器的连接已断开'); + + // disConnect(); + // }); + // } catch (e) { + // print("----------$e"); + // disConnect(); + // } + + // udp连接 + + socket = await RawDatagramSocket.bind( + InternetAddress.anyIPv4, 6000); //InternetAddress(ip) + + // // 订阅 + socket!.send([0xf2], InternetAddress(ip), 6000); + + socket!.listen((RawSocketEvent e) { + times++; + if (times == 20) { + times = 0; + socket!.send([0xf2], InternetAddress(ip), 6000); + } + Datagram? dg = socket!.receive(); + if (dg != null) { + realController.onBleData(dg.data); + // print('从 ${dg.address.address}:${dg.port} 接收:'); + // 发送响应给客户端 + // socket.send("已收到".codeUnits, dg.address, dg.port); + } + }); + } + + write(Uint8List data) async { + try { + // socket ??= await Socket.connect(ip, port); + Datagram? dg = socket!.receive(); + socket!.send(data, dg!.address, dg.port); + // socket!.add(data); + // ignore: empty_catches + } catch (e) {} + } + + disConnect() async { + blueToothController.isConnectedWifi.value = false; + try { + socket!.close(); + // await socket!.close(); + } catch (e) { + // + } + } +} diff --git a/lib/login_in/getx/blue_tooth.dart b/lib/login_in/getx/blue_tooth.dart new file mode 100644 index 0000000..470a81d --- /dev/null +++ b/lib/login_in/getx/blue_tooth.dart @@ -0,0 +1,12 @@ +import 'package:get/get.dart'; + +import '../connect/connect_type.dart'; + +class BlueToothController extends GetxController { + //是否连接蓝牙 + var connectedType = ConnectType.none.obs; //蓝牙 或wifi + //连接的设备id,在蓝牙页面默认选中 + RxString connectedDeviceID = "".obs; + var isConnected = false.obs; + var isConnectedWifi = false.obs; +} diff --git a/lib/login_in/getx/index.dart b/lib/login_in/getx/index.dart new file mode 100644 index 0000000..3bb2bbb --- /dev/null +++ b/lib/login_in/getx/index.dart @@ -0,0 +1,17 @@ +import 'package:get/get.dart'; +import 'package:scence_map/controller.dart'; + + +import 'real_data.dart'; + +class GexRegister { + GexRegister(); + void registerDependencies() { + Get.lazyPut(() => ScenceMapController()); + Get.lazyPut(() => RealController()); + + + + + } +} diff --git a/lib/login_in/getx/real_data.dart b/lib/login_in/getx/real_data.dart new file mode 100644 index 0000000..5a16fe1 --- /dev/null +++ b/lib/login_in/getx/real_data.dart @@ -0,0 +1,155 @@ +import 'dart:typed_data'; +import 'dart:ui'; + +import 'package:get/get.dart'; + +import '../../map_pointer/service/process.dart'; +import 'package:flutter_webrtc/flutter_webrtc.dart'; + +class RealController extends GetxController { + var sightOffset1 = const Offset(3, 3).obs; + var sightOffsetInit1 = const Offset(0, 0).obs; + var sightInit1 = const Offset(0, 0).obs; + var initDx = 0.0.obs; + reset() { + sightOffset1.value = const Offset(3, 3); + sightOffsetInit1.value = const Offset(0, 0); + sightInit1.value = const Offset(0, 0); + + initDx.value = 0.0; + update(); + } + + RTCPeerConnection? peerConnection; + RTCDataChannel? dataChannel; + final speed = 0.0.obs; + final depth = 0.0.obs; + final tiltX = 0.0.obs; + final tiltY = 0.0.obs; + final centerX = 0.0.obs; + final centerY = 0.0.obs; + final current1 = 0.0.obs; + final current2 = 0.0.obs; + final totalFlow2 = 0.0.obs; + final totalFlow1 = 0.0.obs; + final flow10cm1 = 0.0.obs; + final flow10cm2 = 0.0.obs; + final subtotalFlow2 = 0.0.obs; + final subtotalFlow1 = 0.0.obs; + final recvTime = ''.obs; + final alt = 0.0.obs; + final lng = 0.0.obs; + final lat = 0.0.obs; + final pileId = ''.obs; + final time = "0".obs; + final startIndex = 0.obs; + // 折线数组 + + final processList = [].obs; + var isDataVisible = false.obs; + + void updateProcessList(List newList) { + processList.assignAll(newList); // 使用 assignAll 方法更新 RxList + } + + DateTime? sliderTime; + updateSlider(double newValue, [isHand = true]) { + if (isHand) { + sliderTime = DateTime.now(); + } + startIndex.value = newValue.toInt(); + update(); + } + + @override + void onInit() { + super.onInit(); + // 定时器每秒更新时间 + // Timer.periodic(const Duration(milliseconds: 1000), (_) { + // time.value = DateTime.now(); + // }); + initializePeerConnection(); + } + + void initializePeerConnection() async { + final configuration = { + 'iceServers': [ + {'url': 'stun:stun.l.google.com:19302'}, + ], + }; + peerConnection = await createPeerConnection(configuration); + initializeDataChannel(); + } + + void initializeDataChannel() async { + // 创建数据通道 + dataChannel = await peerConnection! + .createDataChannel('dataChannel', RTCDataChannelInit()..id = 1); + + // 监听数据通道的消息事件 + dataChannel!.onMessage = (RTCDataChannelMessage message) { + // 处理接收到的消息 + if (message.isBinary) { + onBleData(message.binary); + } + }; + } + + onBleData(Uint8List data) { + ByteData byteData = data.buffer.asByteData(); + int tag = byteData.getUint8(0); + // int length = byteData.getUint8(1); + if (tag == 161) { + speed.value = byteData.getInt16(2, Endian.little) * 0.1; + int timeInt = byteData.getUint16(4, Endian.little); + // print(timeInt); + time.value = convertSecondsToMinSec(timeInt); + depth.value = byteData.getInt16(6, Endian.little) * 0.001; + pileId.value = byteData.getUint16(8, Endian.little).toString(); + subtotalFlow1.value = byteData.getInt16(10, Endian.little) * 0.01; + flow10cm1.value = byteData.getUint16(12, Endian.little) * 0.01; + totalFlow1.value = byteData.getInt32(14, Endian.little) * 0.01; + subtotalFlow2.value = byteData.getInt16(18, Endian.little) * 0.01; + flow10cm2.value = byteData.getUint16(20, Endian.little) * 0.01; + totalFlow2.value = byteData.getInt32(22, Endian.little) * 0.01; + current1.value = byteData.getUint16(26, Endian.little) * 0.01; + current2.value = byteData.getUint16(28, Endian.little) * 0.01; + // current3.value = byteData.getUint16(30, Endian.little) * 0.01; + int tag1 = byteData.getUint8(34); + // int length = byteData.getUint8(35); + if (tag1 == 162) { + // var gpsStatus = byteData.getUint8(36); + // var gpsView = byteData.getUint8(37); + + // var gpsUse = byteData.getUint8(38); + // var reg = byteData.getUint8(39); + // var utc = byteData.getUint32(40, Endian.little); +// 中心坐标 + centerX.value = byteData.getFloat64(44, Endian.little); + centerY.value = byteData.getFloat64(52, Endian.little); + // print("中心---$centerX,$centerY"); + // tiltX.value = byteData.getFloat64(44, Endian.little); + // tiltY.value = byteData.getFloat64(52, Endian.little); + // var direction = byteData.getFloat64(60, Endian.little); + // var pitch = byteData.getFloat64(68, Endian.little); + // print("$gpsUse,$gpsView,$utc,$direction,$pitch"); + } + } + } + + String convertSecondsToMinSec(int totalSeconds) { + int minutes = totalSeconds ~/ 60; + int seconds = totalSeconds % 60; + + String formattedTime = '$minutes:${seconds.toString().padLeft(2, '0')}'; + + return formattedTime; + } + + @override + void dispose() { + dataChannel?.close(); // 关闭数据通道 + peerConnection?.close(); // 关闭对等连接 + super.dispose(); + } +} diff --git a/lib/login_in/service/base_service.dart b/lib/login_in/service/base_service.dart new file mode 100644 index 0000000..500d180 --- /dev/null +++ b/lib/login_in/service/base_service.dart @@ -0,0 +1,54 @@ +import 'dart:convert'; +import 'dart:io'; +import 'package:http/http.dart' as http; +import '../user/loginprefs.dart'; + + +LoginPrefs loginPrefs = LoginPrefs(); + +class BaseService { + //创建client实例 + final _client = http.Client(); + + Map headers = { + HttpHeaders.contentTypeHeader: "application/json", + HttpHeaders.authorizationHeader: loginPrefs.getToken(), + }; + // String baseUrl = "http://192.168.1.189:8001";//本地 + String baseUrl = "http://1.82.251.83:8001"; //线上 + String loginstatus = "登录失效"; + //发送GET请求 + getClient(String url, [bool useBaseUrl = true]) async { + try { + http.Response response = await _client + .get(Uri.parse(useBaseUrl ? baseUrl + url : url), headers: headers); + var res = json.decode(response.body); + if (res['message'].contains(loginstatus)) { + loginPrefs.clearLogin(); + return; + } + return res; + } catch (e) { + print(e); + return {}; + } + } + + //发送POST请求 + postClient(String url, body) async { + try { + var data = json.encode(body); + http.Response response = await _client.post(Uri.parse(baseUrl + url), + headers: headers, body: data); + var res = json.decode(response.body); + if (res['message'].contains(loginstatus)) { + loginPrefs.clearLogin(); + return; + } + return res; + } catch (e) { + print(e); + return {}; + } + } +} diff --git a/lib/login_in/service/coor_trans.dart b/lib/login_in/service/coor_trans.dart new file mode 100644 index 0000000..ee303aa --- /dev/null +++ b/lib/login_in/service/coor_trans.dart @@ -0,0 +1,63 @@ +class CoorTransModel { + int id; + // ignore: non_constant_identifier_names + double L0; + String belt; + String? calibs; + String dstEllipsoid; + double dx; + double dy; + double dz; + double wx; + double wy; + double wz; + double k; + double elevation; + int isMain; + String name; + double rota; + String srcEllipsoid; + CoorTransModel({ + required this.name, + // ignore: non_constant_identifier_names + required this.L0, + required this.belt, + this.calibs, + required this.dstEllipsoid, + required this.dx, + required this.dy, + required this.dz, + required this.id, + required this.wx, + required this.wy, + required this.wz, + required this.k, + required this.elevation, + required this.isMain, + required this.rota, + required this.srcEllipsoid, + }); + factory CoorTransModel.fromJson(Map data) { + return CoorTransModel( + name: data['name'], + id: data['id'], + L0: data['L0'].toDouble(), + belt: data['belt'], + calibs: data['calibs'], + dstEllipsoid: data['dstEllipsoid'], + dx: data['dx'].toDouble(), + dy: data['dy'].toDouble(), + dz: data['dz'].toDouble(), + wx: data['wx'].toDouble(), + wy: data['wy'].toDouble(), + wz: data['wz'].toDouble(), + rota: data['rota'].toDouble(), + k: data['k'].toDouble(), + isMain: data['is_main'], + elevation: data['elevation'].toDouble(), + srcEllipsoid: data['srcEllipsoid'], + ); + } + + void forEach(Null Function(dynamic key, dynamic value) param0) {} +} diff --git a/lib/login_in/service/service.dart b/lib/login_in/service/service.dart new file mode 100644 index 0000000..538afc4 --- /dev/null +++ b/lib/login_in/service/service.dart @@ -0,0 +1,244 @@ +import 'package:get/get.dart'; +import 'base_service.dart'; + +// String projCode = 'CJGKJEBYYB'; +// String tid = "109"; +// String projType = "hydraulic_tamping"; +String projCode = 'TEST'; +String tid = "1000"; +String projType = "pile_cm"; +BaseService service = BaseService(); + +class ProjController extends GetxController { + ProjController(); +// 道路边线 + Future getSideLine() async { + Map res = await service.getClient( + '/api/comm/side_line/list?proj_code=$projCode&proj_type=$projType'); + return res['data']; + } + +// 设备绑定 --- 获取设备 + Future getDeviceBind() async { + Map res = await service.getClient( + '/api/sys/device_bind/list?proj_type=$projType&proj_code=$projCode'); + return res['data']; + } + + // 项目列表 + getproject() async { + Map res = await service.getClient( + '/api/sys/project/list?org_code=a&proj_type=$projType&proj_code=$projCode'); + return res['data']; + } +} + +class LoginController extends GetxController { + // 验证码 + getsmsCode(String phone) async { + Map res = + await service.postClient("/admin/base/open/smsCode", {"phone": phone}); + return res; + } + + // 手机号登录 + phoneLogin(String phone, String smsCode) async { + Map res = await service.postClient( + "/admin/base/open/phone", {"phone": phone, "smsCode": smsCode}); + return res; + } + + // 获取用户信息 + getPerson() async { + Map res = await service.getClient("/admin/base/comm/person"); + return res['data']; + } + + // 验证码 + getCaptcha() async { + Map res = + await service.getClient("/admin/base/open/captcha?height=40&width=150"); + return res['data']; + } + + getAccountLogin(String captchaId, String password, String username, + String verifyCode) async { + Map res = await service.postClient("/admin/base/open/login", { + "captchaId": captchaId, + "password": password, + "username": username, + "verifyCode": verifyCode + }); + return res; + } +} + +class PileCmController extends GetxController { + //获取水泥搅拌桩点数据 + getRcordData(int page, int size, String date, + [String sort = "desc", String order = "pile_id"]) async { + Map res = await service.getClient( + "/api/$projType/record/page?page=$page&size=$size&org_code=a&proj_code=$projCode&tid=$tid&date=$date&sort=$sort&order=$order"); + return res['data']; + } + + getRcordList(String date, String? dateEnd) async { + dateEnd ??= date; + Map res = await service.getClient( + "/api/$projType/record/list?org_code=a&proj_code=$projCode&tid=$tid&date=$date&dateEnd=$dateEnd"); + return res['data']; + } + + //获取施工记录的日期 + getworkDateData() async { + Map res = await service.getClient( + "/api/$projType/record/work_date?org_code=a&proj_code=$projCode&tid=$tid"); + if (res['code'] == 1000) { + return res['data'] ?? []; + } else { + return []; + } + } + + //施工详细记录 + getProcessData(int pileId) async { + Map res = await service.getClient( + "/api/$projType/process/list?pile_id=$pileId&proj_code=$projCode&tid=$tid"); + return res['data']; + } +} + +class GetServices { + BaseService service = BaseService(); + // String projCode = 'CJGKJEBYYB'; + // int tid = 109; + // String projType = "hydraulic_tamping"; + String projCode = 'TEST'; + int tid = 1000; + String projType = "pile_cm"; +// 道路边线 + Future getSideLine() async { + try { + Map res = await service.getClient( + '/api/comm/side_line/list?proj_code=$projCode&proj_type=$projType'); + return res['data']; + } catch (e) { + return {}; + } + + } + +// 设备绑定 --- 获取设备 + Future getDeviceBind() async { + Map res = await service.getClient( + '/api/sys/device_bind/list?proj_type=$projType&proj_code=$projCode'); + return res['data']; + } + // 项目列表 + getproject() async { + Map res = await service + .getClient('/api/sys/project/list?org_code=a&proj_type=$projType'); + return res['data']; + } + + // 液压夯 + getRcordData(int page, int size, String date, + [String sort = "desc", String order = "tp_id"]) async { + Map res = await service.getClient( + "/api/$projType/record/page?page=$page&size=$size&org_code=a&proj_code=$projCode&tid=$tid&date=$date&sort=$sort&order=$order"); + return res['data']; + } + + //获取水泥搅拌桩点数据 + // getRcordData(int page, int size, String date, + // [String sort = "desc", String order = "pile_id"]) async { + // Map res = await service.getClient( + // "/api/$projType/record/page?page=$page&size=$size&org_code=a&proj_code=$projCode&tid=$tid&date=$date&sort=$sort&order=$order"); + // return res['data']; + // } + + // getRcordList(String date, String? dateEnd) async { + // dateEnd ??= date; + // Map res = await service.getClient( + // "/api/$projType/record/list?org_code=a&proj_code=$projCode&tid=$tid&date=$date&dateEnd=$dateEnd"); + // return res['data']; + // } + getRcordList(String date, [String? dateEnd]) async { + dateEnd ??= date; + Map res = await service.getClient( + "/api/$projType/record/list?org_code=a&proj_code=$projCode&tid=$tid&date=$date&dateEnd=$dateEnd"); + if (res['code'] == 1000) { + return res['data']; + } else { + return []; + } + } + + //获取施工记录的日期 + getworkDateData() async { + Map res = await service.getClient( + "/api/$projType/record/work_date?org_code=a&proj_code=$projCode&tid=$tid"); + if (res['code'] == 1000) { + return res['data'] ?? []; + } else { + return []; + } + } + + //施工详细记录 + getProcessData(int pileId) async { + Map res = await service.getClient( + "/api/$projType/process/list?pile_id=$pileId&proj_code=$projCode&tid=$tid"); + return res['data']; + } + + // 验证码 + getsmsCode(String phone) async { + Map res = + await service.postClient("/admin/base/open/smsCode", {"phone": phone}); + return res; + } + + // 手机号登录 + phoneLogin(String phone, String smsCode) async { + Map res = await service.postClient( + "/admin/base/open/phone", {"phone": phone, "smsCode": smsCode}); + return res; + } + + // 获取用户信息 + getPerson() async { + Map res = await service.getClient("/admin/base/comm/person"); + return res['data']; + } + + // 验证码 + getCaptcha() async { + Map res = + await service.getClient("/admin/base/open/captcha?height=40&width=150"); + return res['data']; + } + + getAccountLogin(String captchaId, String password, String username, + String verifyCode) async { + Map res = await service.postClient("/admin/base/open/login", { + "captchaId": captchaId, + "password": password, + "username": username, + "verifyCode": verifyCode + }); + return res; + } + + getRtuLast() async { + Map res = await service.getClient( + "/api/t2n/rtu/rtu_last?proj_type=$projType&proj_code=$projCode"); + return res['data']; + } + + getCoordTrans() async { + Map res = await service.getClient( + "/api/comm/coord_trans/list?proj_type=$projType&proj_code=$projCode"); + return res['data']; + } +} diff --git a/lib/login_in/user/loginprefs.dart b/lib/login_in/user/loginprefs.dart new file mode 100644 index 0000000..4728154 --- /dev/null +++ b/lib/login_in/user/loginprefs.dart @@ -0,0 +1,75 @@ +import 'package:get/get.dart'; +import 'package:get_storage/get_storage.dart'; + +import 'userModel.dart'; + +class LoginPrefs extends GetxController { + static const String expireStr = "expire"; //用户名 + static const String tokenStr = "token"; //token + static const String phoneStr = "phone"; + final box = GetStorage(); // 实例化 GetStorage + + Future init() async { + await GetStorage.init(); // 初始化 GetStorage + return 'ok'; + } + + void saveExpire(int expire) { + box.write(expireStr, expire); + update(); + } + + int getExpire() { + return box.read(expireStr) ?? 0; + } + + void saveToken(String token) { + box.write(tokenStr, token); + update(); + } + + String getToken() { + return box.read(tokenStr) ?? ""; + } + + void removeExpire() { + box.remove(expireStr); + update(); + } + + void removeToken() { + box.remove(tokenStr); + update(); + } + + void savePhone(String phone) { + box.write(phoneStr, phone); + update(); + } + + String getPhone() { + return box.read(phoneStr) ?? ""; + } + + void clearLogin() { + box.erase(); // 清除所有数据 + update(); + } +} + +class UserController extends GetxController { + final box = GetStorage(); // 实例化 GetStorage + + UserModel? getUser() { + final userMap = box.read('user'); + if (userMap != null) { + return UserModel.fromJson(userMap); + } + return null; + } + + void setUser(Map user) { + box.write('user', user); + update(); + } +} diff --git a/lib/login_in/user/userModel.dart b/lib/login_in/user/userModel.dart new file mode 100644 index 0000000..5d94f09 --- /dev/null +++ b/lib/login_in/user/userModel.dart @@ -0,0 +1,53 @@ +class UserModel { + int id; + String updateTime; + String departmentId; + String name; + int passwordV; + String nickName; + String headImg; + String phone; + String email; + int status; + String remark; + String orgCode; + String title; + String titleImg; + String username; + UserModel({ + required this.name, + required this.departmentId, + required this.email, + required this.headImg, + required this.nickName, + required this.phone, + required this.title, + required this.titleImg, + required this.id, + required this.updateTime, + required this.orgCode, + required this.status, + required this.passwordV, + required this.remark, + required this.username, + }); + factory UserModel.fromJson(Map data) { + return UserModel( + name: data['name'], + departmentId: data['departmentId'], + email: data['email'] ?? "", + headImg: data['headImg'] ?? "", + nickName: data['nickName'] ?? "", + passwordV: data['passwordV'], + phone: data['phone'] ?? "", + title: data['title'] ?? "", + titleImg: data['title_img'] ?? "", + id: data['id'], + updateTime: data['updateTime'], + orgCode: data['org_code'], + status: data['status'], + remark: data['remark'] ?? "", + username: data['username'], + ); + } +} diff --git a/lib/main.dart b/lib/main.dart index 8933dad..ec57a9c 100644 --- a/lib/main.dart +++ b/lib/main.dart @@ -1,54 +1,445 @@ import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; +import 'package:flutter/services.dart'; import 'package:get/get.dart'; +import 'package:flutter_app_update/flutter_app_update.dart'; +import 'package:flutter_localizations/flutter_localizations.dart'; // import 'controller/scence_map.dart'; +import 'appbar/appbar.dart'; +import 'login_in/connect/index.dart'; +import 'login_in/connect/my_routes.dart'; +import 'login_in/getx/index.dart'; +import 'login_in/getx/real_data.dart'; +import 'login_in/user/loginprefs.dart'; import 'screens/aimpoint_page.dart'; -import 'package:scence_map/scence_map.dart'; -import 'package:scence_map/controller.dart'; +import 'screens/setting_page.dart'; -void main() { - Get.lazyPut(() => ScenceMapController()); - runApp(const MyApp()); +Connect connect = Connect(); +void main() async { + WidgetsFlutterBinding.ensureInitialized(); + SystemChrome.setEnabledSystemUIMode(SystemUiMode.manual, overlays: []); //设置全屏 + Get.put(RealController()); + LoginPrefs loginPrefs = LoginPrefs(); + String value = + await loginPrefs.init(); // await 关键字必须用在异步方法中 await等待异步方法执行完毕 异步方法必须用变量接收 + if ('ok' == value) { + connect.init(); + runApp(const EntryPage()); + } } -class MyApp extends StatelessWidget { +class EntryPage extends StatefulWidget { + const EntryPage({super.key}); + + @override + State createState() => _EntryPageState(); +} + +class _EntryPageState extends State { + @override + void initState() { + super.initState(); + } + + @override + Widget build(BuildContext context) { + return ValueListenableBuilder( + valueListenable: MyApp.isDarkMode, + builder: (context, isDarkMode, child) { + return MaterialApp( + debugShowCheckedModeBanner: false, + home: const MyApp(), + initialRoute: "home", + onGenerateRoute: onGenerateRoute, + localizationsDelegates: GlobalMaterialLocalizations.delegates, + supportedLocales: const [ + Locale('en', ''), + Locale('zh', ''), + Locale('he', ''), + Locale('es', ''), + Locale('ru', ''), + Locale('ko', ''), + Locale('hi', ''), + ], + theme: isDarkMode ? ThemeData.dark() : ThemeData.light(), + // home: child, + ); + }, + child: const Text(""), + ); + } +} + +TextStyle textStyle = const TextStyle(fontSize: 15); + +class MyApp extends StatefulWidget { const MyApp({super.key}); - - // This widget is the root of your application. + static ValueNotifier isDarkMode = ValueNotifier(false); @override - Widget build(BuildContext context) { - return MaterialApp( - title: 'Flutter Demo', - theme: ThemeData( - colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple), - useMaterial3: true, - ), - home: MyHomePage(title: 'Flutter Demo Home Page'), + State createState() => _MyAppState(); +} + +//是否是竖屏,用于修改appbar 的高度 +late bool isPortrait; + +class _MyAppState extends State { + //当前底部导航栏索引 + var _currentIndex = 1.obs; + + late double appBarHeight; + var url = 'http://v5.rdc.pub/apk/'; + + ///Flutter侧处理升级对话框 + ///[forcedUpgrade] 是否强制升级 + _showUpdateDialog(bool forcedUpgrade, String version) { + showDialog( + context: context, + barrierDismissible: !forcedUpgrade, + builder: (BuildContext context) { + return PopScope( + child: AlertDialog( + title: const Text('发现新版本'), + content: Text( + version, + style: const TextStyle(fontSize: 20), + ), + actions: [ + if (!forcedUpgrade) + TextButton( + child: const Text('稍后升级'), + onPressed: () => Navigator.of(context).pop(), + ), + TextButton( + child: const Text('升级'), + onPressed: () { + _appUpdate(); + if (!forcedUpgrade) { + Navigator.of(context).pop(); + } + }, + ), + ], + ), + ); + }, ); } -} -class MyHomePage extends StatefulWidget { - const MyHomePage({super.key, required this.title}); + _appUpdate() { + UpdateModel model = UpdateModel( + "${url}app-release.apk", + "app-release.apk", + "ic_launcher", + "", + ); + AzhonAppUpdate.update(model).then((value) => debugPrint('//////$value')); + } - final String title; + bool comarableVersion(String version1, String version2) { + List v1 = version1.split('.').map(int.parse).toList(); + List v2 = version2.split('.').map(int.parse).toList(); + + bool result = true; + for (int i = 0; i < 3; i++) { + if (v1[i] > v2[i]) { + result = true; + break; + } else if (v1[i] < v2[i]) { + result = false; + break; + } + } + return result; + } @override - State createState() => _MyHomePageState(); -} + void initState() { + GexRegister().registerDependencies(); + super.initState(); + SchedulerBinding.instance.addPostFrameCallback((_) async { + // 当前版本 + // PackageInfo packageInfo = await PackageInfo.fromPlatform(); + // String version = packageInfo.version; + // String packageName = packageInfo.packageName; + // print("---$packageName,$version"); + // var response = + // await http.Client().get(Uri.parse("${url}output-metadata.json")); + // Map json = jsonDecode(response.body); -class _MyHomePageState extends State { + // String onLineVersion = json["elements"][0]["versionName"] ?? ""; + // // 获取线上版本 + // if (comarableVersion(version, onLineVersion) && + // version != onLineVersion) { + // //升级弹窗 + // _showUpdateDialog(false, onLineVersion); + // } + // AzhonAppUpdate.listener((map) { + // debugPrint(map['type']); + // }); + }); + } + + final RealController controller1 = Get.find(); + final List _pages = [ + ScenceMap(), + ScenceMap(), + ScenceMap(), + ScenceMap(), + SettingPortrait() + ]; @override Widget build(BuildContext context) { - return Scaffold( - // body: CounterPointer(), - body: ScenceMapView( - children: const [ - AimPointer(), - ], - onUpdate: (Offset offset, double scale, double rotation) { - print("onScale: scale: $scale, offset: $offset,rotation: $rotation"); - }, - ), - ); + final size = MediaQuery.of(context).size; + + return OrientationBuilder(builder: ((context, orientation) { + isPortrait = Orientation.portrait == orientation ? true : false; + appBarHeight = Orientation.portrait == orientation ? 56.0 : 34.0; + return Scaffold( + resizeToAvoidBottomInset: false, + drawerEdgeDragWidth: 0.0, // 禁止通过滑动打开drawer + endDrawer: _currentIndex.value == 1 + ? Drawer( + width: size.width * .8, + child: const AimPointer(), + ) + : null, + appBar: PreferredSize( + preferredSize: Size.fromHeight(appBarHeight), + child: CustomAppBar(appBarHeight: 56, currentIndex: _currentIndex), + ), + body: OrientationBuilder( + builder: (context, orientation) { + if (!isPortrait) { + return Row( + crossAxisAlignment: CrossAxisAlignment.stretch, + children: [ + Expanded( + child: _pages[_currentIndex.value], + ), + const VerticalDivider( + width: 1, // 设置高度为1 + thickness: 1, + ), + SizedBox( + width: 48, + child: SafeArea( + child: LayoutBuilder(builder: (context, constraints) { + // 根据屏幕宽度判断横屏或竖屏 + // if (!isPortrait) { + // // 横屏布局 + return Column( + mainAxisAlignment: + MainAxisAlignment.spaceEvenly, + crossAxisAlignment: CrossAxisAlignment.stretch, + children: [ + Column( + children: [ + IconButton( + onPressed: () { + setState(() { + _currentIndex.value = 0; + }); + }, + icon: const Icon( + Icons.date_range_rounded), + color: _currentIndex.value == 0 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + Align( + alignment: Alignment.center, + child: Text( + '实时', + style: TextStyle( + fontSize: 12, + color: _currentIndex.value == 0 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + ), + ), + ], + ), + const Divider( + height: 1, // 设置高度为1 + thickness: 1, + ), + // + Column( + children: [ + IconButton( + onPressed: () { + setState(() { + _currentIndex.value = 1; + }); + }, + icon: const Icon(Icons.map_outlined), + color: _currentIndex.value == 1 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + Align( + alignment: Alignment.center, + child: Text( + '桩点', + style: TextStyle( + fontSize: 12, + color: _currentIndex.value == 1 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + ), + ), + ], + ), + const Divider(), + Column( + children: [ + IconButton( + onPressed: () { + setState(() { + _currentIndex.value = 2; + }); + }, + icon: + const Icon(Icons.my_location_sharp), + color: _currentIndex.value == 2 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + Align( + alignment: Alignment.center, + child: Text( + '任务', + style: TextStyle( + fontSize: 12, + color: _currentIndex.value == 2 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + ), + ), + ], + ), + const Divider(), + Column( + children: [ + IconButton( + onPressed: () { + setState(() { + _currentIndex.value = 3; + }); + }, + icon: const Icon( + Icons.table_chart_outlined), + color: _currentIndex.value == 3 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + Align( + alignment: Alignment.center, + child: Text( + '历史', + style: TextStyle( + fontSize: 12, + color: _currentIndex.value == 3 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + ), + ), + ], + ), + const Divider(), + Column( + children: [ + IconButton( + onPressed: () { + setState(() { + _currentIndex.value = 4; + }); + }, + icon: const Icon(Icons.settings), + color: _currentIndex.value == 4 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + Align( + alignment: Alignment.center, + child: Text( + '设置', + style: TextStyle( + fontSize: 12, + color: _currentIndex.value == 4 + ? const Color.fromARGB( + 255, 60, 95, 123) + : Colors.grey, + ), + ), + ), + ], + ) + ]); + // + }), + ), + ) + ]); + } // + + else { + // 竖屏布局,保持原有底部导航栏样式 + return Column( + crossAxisAlignment: CrossAxisAlignment.stretch, + children: [ + Expanded( + flex: 12, + child: _pages[_currentIndex.value], + ), + // VerticalDivider(), + Expanded( + flex: 1, + child: SizedBox( + height: 58, + child: BottomNavigationBar( + type: BottomNavigationBarType.fixed, + currentIndex: _currentIndex.value, + onTap: (index) { + setState(() { + _currentIndex.value = index; + }); + }, + items: const [ + BottomNavigationBarItem( + icon: Icon(Icons.date_range_rounded), + label: "实时"), + BottomNavigationBarItem( + icon: Icon(Icons.map_outlined), + label: "桩点"), + BottomNavigationBarItem( + icon: Icon(Icons.my_location_sharp), + label: "对点"), + BottomNavigationBarItem( + icon: Icon(Icons.table_chart_outlined), + label: "历史"), + BottomNavigationBarItem( + icon: Icon(Icons.settings), label: "设置"), + ]), + ), + ) + ]); + } + }, + )); + })); } } diff --git a/lib/draws/aim_pointer.dart b/lib/map_pointer/draws/aim_pointer.dart similarity index 84% rename from lib/draws/aim_pointer.dart rename to lib/map_pointer/draws/aim_pointer.dart index e10f536..dd52b78 100644 --- a/lib/draws/aim_pointer.dart +++ b/lib/map_pointer/draws/aim_pointer.dart @@ -5,7 +5,7 @@ import 'package:flutter/widgets.dart'; import 'package:scence_map/controller.dart'; import 'dart:ui' as ui; -import '../modules/device_type.dart'; +import '../modules/common/device_type.dart'; final ScenceMapController mapcontroller = Get.put(ScenceMapController()); @@ -17,7 +17,7 @@ class SightController extends GetxController { var sightOffsetInit = const Offset(0, 0).obs; var sightInit = const Offset(0, 0).obs; // var lastSightOffset = const Offset(0, 0).obs; // 新增变量,用于存储上一次手指离开时的位置 - // var isCardVisible = false.obs; // 控制卡片是否可见 + var isCardVisible = true.obs; // 控制卡片是否可见 var selectedRecord = Offset.zero.obs; var initDx = 0.0.obs; @@ -35,8 +35,6 @@ class SightController extends GetxController { } } -final SightController sight = Get.put(SightController()); - class SightView extends GetView { const SightView({super.key}); @@ -48,7 +46,7 @@ class SightView extends GetView { final orientation = mediaQueryData.orientation; //获得设备方向 final deviceType = getDeviceType(context); double rectWidth = size.height / 2; - if (!sight.isNomal.value) { + if (!controller.isNomal.value) { rectWidth = size.width; } else { if (orientation == Orientation.landscape) { @@ -71,7 +69,7 @@ class SightView extends GetView { CustomPaint( //绘制瞄准器 size: Size(rectWidth, rectWidth), - painter: DrawCicle(sight, 0, 0, isDarkMode), + painter: DrawCicle(controller, 0, 0, isDarkMode), ) ], ); @@ -195,11 +193,9 @@ class DrawCicle extends CustomPainter { } class DevicePointer extends StatelessWidget { - final DeviceItemController item; - final double maprotation; - final Offset targetPoint; - - DevicePointer(this.item, this.maprotation, this.targetPoint); + // final DeviceItemController item; + // DevicePointer(this.item); + DevicePointer(); @override Widget build(BuildContext context) { @@ -207,30 +203,19 @@ class DevicePointer extends StatelessWidget { // double carHeight = item.height / controller.pixel2MeterRatio; return Stack( + alignment: Alignment.center, children: [ - Obx(() { - // Offset offset = controller.xy2Screen( - // gnsscontroller.pilerCenter.X, gnsscontroller.pilerCenter.Y); - var dx = item.x - targetPoint.dx; - var dy = item.y - targetPoint.dy; - var left = dx * cos(maprotation) + dy * sin(maprotation); - var top = -dx * sin(maprotation) + dy * cos(maprotation); + SizedBox( + width: 60.0, // 设置图像的宽度 + height: 60.0, // 设置图像的高度 + child: Image.asset( + "images/navi_pointer.png", + errorBuilder: (context, error, stackTrace) { + return Text('无法加载图片'); + }, + ), + ), - return Positioned( - left: left / mapcontroller.pixel2MeterRatio, - top: top / mapcontroller.pixel2MeterRatio, - child: Transform( - transform: Matrix4.identity()..rotateZ(item.rotation.value), - alignment: FractionalOffset.center, - child: Image.asset( - "images/pilerCar.png", - errorBuilder: (context, error, stackTrace) { - return Text('无法加载图片'); - }, - ), - ), - ); - }), // Obx(() { // Offset offset = controller.xy2Screen( // gnsscontroller.pilerCenter.X, gnsscontroller.pilerCenter.Y); diff --git a/lib/modules/device_type.dart b/lib/map_pointer/modules/common/device_type.dart similarity index 100% rename from lib/modules/device_type.dart rename to lib/map_pointer/modules/common/device_type.dart diff --git a/lib/service/process.dart b/lib/map_pointer/service/process.dart similarity index 100% rename from lib/service/process.dart rename to lib/map_pointer/service/process.dart diff --git a/lib/modules/coord_trans.dart b/lib/modules/coord_trans.dart deleted file mode 100644 index 5c7d72e..0000000 --- a/lib/modules/coord_trans.dart +++ /dev/null @@ -1,683 +0,0 @@ -// ignore_for_file: non_constant_identifier_names - -import 'dart:math'; - -class CoordGPS { - double LAT; //纬度 - double LNG; //经度 - double? ALT; //高度 - CoordGPS({this.ALT, required this.LAT, required this.LNG}); -} - -class CoordXYH { - double X; - double Y; - double H; - CoordXYH({required this.X, required this.Y, required this.H}); -} - -class CoordBLH { - double B; - double L; - double H; - CoordBLH({required this.B, required this.H, required this.L}); -} - -class CoordXYZ { - double X; - double Y; - double Z; - CoordXYZ({required this.X, required this.Y, required this.Z}); -} - -class PointXY { - double X; - double Y; - PointXY({required this.X, required this.Y}); -} - -class Region { - double X; - double Y; - double? width; - double? heigth; - double? D; - Region({this.D, required this.X, required this.Y, this.heigth, this.width}); -} - -class Ellipsoid { - late double A; - late double F; - late double B; - late double E12; - late double E22; - Ellipsoid(String name) { - const Map> datums = { - 'BJ54': {'a': 6378245, 'f': 1 / 298.3}, - 'XA80': {'a': 6378140, 'f': 1 / 298.257}, - 'WGS84': {'a': 6378137, 'f': 1 / 298.257223563}, - 'WGS2000': {'a': 6378137, 'f': 1 / 298.257222101} - }; - var Datum = datums[name]; - if (Datum != null) { - double a = Datum['a']!; - double f = Datum['f']!; - double b = a - f * a; - double e12 = (a * a - b * b) / (a * a); // 第一偏心率平方 - double e22 = (a * a - b * b) / (b * b); // 第二偏心率平方 - A = a; - F = f; - B = b; - E12 = e12; - E22 = e22; - } - } -} - -class TransParm { - late double dx; - late double dy; - late double dz; - late double rx; - late double ry; - late double rz; - late double rota; - late double k; - - TransParm(TransOptions options) { - dx = options.dx ?? 0; - dy = options.dy ?? 0; - dz = options.dz ?? 0; - rx = options.rx ?? 0; - ry = options.ry ?? 0; - rz = options.rz ?? 0; - k = options.k ?? 0; - rota = options.rota ?? 0; - } -} - -class TransOptions { - double? dx; //X平移(M) - double? dy; //Y平移(M) - double? dz; //z平移(M) - double? rx; //X旋转(°) - double? ry; //Y旋转(°) - double? rz; //Z旋转(°) - double? rota; //平面旋转,用于4参数 - double? k; //尺度(ppm) - double? L0; //中央子午线(经度) - String? srcEllipsoid; //源椭球名称 - String? dstEllipsoid; //目标椭球名称 - double? zoneWidth; //带宽度,用于未指定中央子午线时自动计算 - double? elevation; //投影高程 - TransOptions({ - this.L0, - this.dstEllipsoid, - this.dx, - this.dy, - this.dz, - this.elevation, - this.k, - this.rota, - this.rx, - this.ry, - this.rz, - this.srcEllipsoid, - }); -} - -//主天线 -class CoordTrans { - late double L0; //中央子午线 - late double zoneWidth; //带宽度 - late double elevation; //投影高程 - late double rota; //平面旋转,用于4参数 - late Ellipsoid srcEllipsoid; //源椭球 - late Ellipsoid dstEllipsoid; //目标椭球 - late TransParm transParm; //7参数 - CoordTrans(TransOptions options) { - transParm = TransParm(options); - L0 = options.L0 ?? 0; - elevation = options.elevation ?? 0; - srcEllipsoid = Ellipsoid(options.srcEllipsoid ?? 'WGS84'); - dstEllipsoid = Ellipsoid(options.dstEllipsoid ?? 'WGS2000'); - zoneWidth = options.zoneWidth ?? 3; - } - - CoordXYH GPS2XY(CoordGPS gps) { - return d2p(CoordBLH(H: gps.ALT ?? elevation, B: gps.LAT, L: gps.LNG)); - } - - //经纬度转平面坐标 - CoordXYH d2p(CoordBLH blh) { - CoordXYZ zj = BLH2XYZ(blh); - CoordXYZ xzj = XYZ2XYZ(zj); - CoordBLH xdd = XYZ2BLH(xzj); - CoordXYH xpm = BL2XY(xdd); - return xpm; - } - - //平面坐标转大地坐标 - CoordBLH p2d(CoordXYH xyh) { - CoordBLH bl = XY2BL(xyh, true); - CoordXYZ zj = BLH2XYZ(bl, true); - CoordXYZ xzj = XYZ2XYZ(zj, true); - CoordBLH xdd = XYZ2BLH(xzj, true); - return xdd; - } - - setZoneWidth(width) { - if (width != 6 && width != 3) { - // print('带宽应当为6或者为3'); - } else { - zoneWidth = width; - } - } - - setL0(l0) { - L0 = l0; - } - - int getZoneNo(double lng) { - // 6度带 - // 这里应为向下取整 - if (zoneWidth == 6) { - return ((lng + 6) / 6).floor(); - } - // 3度带 - return ((lng + 1.5) / 3).floor(); - } - - PointXY xy2xyLocal(PointXY source) { - double x = source.X; - double y = source.Y; - double destx = x * transParm.k * cos(rota) - - y * transParm.k * sin(rota) + - transParm.dx; - double desty = x * transParm.k * sin(rota) + - y * transParm.k * cos(rota) + - transParm.dy; - - return PointXY(X: destx, Y: desty); - } - - CoordXYZ BLH2XYZ(CoordBLH pointBLH, [srcDst = false]) { - Ellipsoid ellipsoid = srcDst ? srcEllipsoid : dstEllipsoid; - double a = ellipsoid.A; - double e12 = ellipsoid.E12; - - double radB = pointBLH.B / 180 * pi; - double radL = pointBLH.L / 180 * pi; - double H = pointBLH.H; - - double N = a / sqrt(1 - e12 * sin(radB) * sin(radB)); // 卯酉圈半径 - - double X = (N + H) * cos(radB) * cos(radL); - double Y = (N + H) * cos(radB) * sin(radL); - double Z = (N * (1 - e12) + H) * sin(radB); - - return CoordXYZ(X: X, Y: Y, Z: Z); - } - - /* - 七参数转换 - 不同椭球参数下, 地心直角坐标系之间转换 - dX, dY, dZ: 三个坐标方向的平移参数 - wX, wY, wZ: 三个方向的旋转角参数(单位为弧度) - Kppm: 尺度参数, 单位是ppm,如果是以米为单位, 需要在传参前 除以1000000 - */ - CoordXYZ XYZ2XYZ(CoordXYZ xyz, [srcDst = false]) { - double X = xyz.X; - double Y = xyz.Y; - double Z = xyz.Z; - double dX = transParm.dx; - double dY = transParm.dy; - double dZ = transParm.dz; - double rX = transParm.rx / 3600 / 180 * pi; - double rY = transParm.ry / 3600 / 180 * pi; - double rZ = transParm.rz / 3600 / 180 * pi; - double Kppm = transParm.k / 1000000; - CoordXYZ result = CoordXYZ(X: 0, Y: 0, Z: 0); - if (srcDst) { - result.X = X - dX - Kppm * X + rY * Z - rZ * Y; - result.Y = Y - dY - Kppm * Y - rX * Z + rZ * X; - result.Z = Z - dZ - Kppm * Z + rX * Y - rY * X; - } else { - result.X = X + dX + Kppm * X - rY * Z + rZ * Y; - result.Y = Y + dY + Kppm * Y + rX * Z - rZ * X; - result.Z = Z + dZ + Kppm * Z - rX * Y + rY * X; - } - return result; - } - - /* - 地心直角坐标系 转换到 地心大地坐标系 - 用直接法2 - https://wenku.baidu.com/view/30a08f9ddd88d0d233d46a50.html - */ - CoordBLH XYZ2BLH(CoordXYZ XYZ, [srcDst = false]) { - double X = XYZ.X; - double Y = XYZ.Y; - double Z = XYZ.Z; - Ellipsoid ellipsoid = srcDst ? srcEllipsoid : dstEllipsoid; - double a = ellipsoid.A; - double b = ellipsoid.B; - double e12 = ellipsoid.E12; - double e22 = ellipsoid.E22; - double L = atan(Y / X); - // 弧度转角度 - double degL = L * 180 / pi; - // Y值为正, 东半球, 否则西半球 - if (Y > 0) { - while (degL < 0) { - degL += 180; - } - while (degL > 180) { - degL -= 180; - } - } else { - while (degL > 0) { - degL -= 180; - } - while (degL < -180) { - degL += 180; - } - } - - double tgU = Z / (sqrt(X * X + Y * Y) * sqrt(1 - e12)); - double U = atan(tgU); - - double tgB = (Z + b * e22 * pow(sin(U), 3)) / - (sqrt(X * X + Y * Y) - a * e12 * pow(cos(U), 3)); - double B = atan(tgB); - double degB = B * 180 / pi; // 弧度转角度 - if (Z > 0) { - // Z值为正, 北半球, 否则南半球 - while (degB < 0) { - degB += 90; - } - while (degB > 90) { - degB -= 90; - } - } else { - while (degB > 0) { - degB -= 90; - } - while (degB < -90) { - degB += 90; - } - } - - while (degB < 0) { - degB += 360; - } - while (degB > 360) { - degB -= 360; - } - - double N = a / sqrt(1 - e12 * sin(B) * sin(B)); // 卯酉圈半径 - double H = 0; - // B接近极区, 在±90°附近 - if ((degB).abs() > 80) { - H = Z / sin(B) - N * (1 - e12); - } else { - H = sqrt(X * X + Y * Y) / cos(B) - N; - } - return CoordBLH(B: degB, L: degL, H: H); - } - - /* - 地心大地坐标系 转换到 大地平面坐标系 - prjHeight: 投影面高程 - http://www.cnblogs.com/imeiba/p/5696967.html - */ - CoordXYH BL2XY(CoordBLH BLH, - [srcDst = false, offsetY = 500000, offsetX = 0]) { - Ellipsoid ellipsoid = srcDst ? srcEllipsoid : dstEllipsoid; - double a = ellipsoid.A; - double b = ellipsoid.B; - double e12 = ellipsoid.E12; - double e22 = ellipsoid.E22; - if (L0 == 0) { - int zoneNo = getZoneNo(BLH.L); - L0 = (zoneNo - 0.5) * zoneWidth; - } - double radL0 = L0 / 180 * pi; - - double radB = BLH.B / 180 * pi; - double radL = BLH.L / 180 * pi; - - double N = a / sqrt(1 - e12 * sin(radB) * sin(radB)); // 卯酉圈半径 - double T = tan(radB) * tan(radB); - double C = e22 * cos(radB) * cos(radB); - double A = (radL - radL0) * cos(radB); - double M = a * - ((1 - e12 / 4 - 3 * e12 * e12 / 64 - 5 * e12 * e12 * e12 / 256) * radB - - (3 * e12 / 8 + 3 * e12 * e12 / 32 + 45 * e12 * e12 * e12 / 1024) * - sin(2 * radB) + - (15 * e12 * e12 / 256 + 45 * e12 * e12 * e12 / 1024) * - sin(4 * radB) - - (35 * e12 * e12 * e12 / 3072) * sin(6 * radB)); - - //x,y的计算公式见孔祥元等主编武汉大学出版社2002年出版的《控制测量学》的第72页 - //书的的括号有问题,( 和 [ 应该交换 - - double x = M + - N * - tan(radB) * - (A * A / 2 + - (5 - T + 9 * C + 4 * C * C) * A * A * A * A / 24 + - (61 - 58 * T + T * T + 600 * C - 330 * e22) * - A * - A * - A * - A * - A * - A / - 720); - double y = N * - (A + - (1 - T + C) * A * A * A / 6 + - (5 - 18 * T * T * T + 72 * C - 58 * e22) * A * A * A * A * A / 120); - - x = offsetX + x * (b + elevation) / b; - y = offsetY + y * (b + elevation) / b; - - return CoordXYH( - X: (x * 1000).round() / 1000, Y: (y * 1000).round() / 1000, H: BLH.H); - } - - /* - 大地平面坐标系 转换到 地心大地坐标系 - prjHeight: 投影面高程 - http://www.cnblogs.com/imeiba/p/5696967.html - */ - CoordBLH XY2BL(CoordXYH xyh, - [srcDst = false, offsetY = 500000, offsetX = 0]) { - Ellipsoid ellipsoid = srcDst ? srcEllipsoid : dstEllipsoid; - double a = ellipsoid.A; - double b = ellipsoid.B; - double e12 = ellipsoid.E12; - double e22 = ellipsoid.E22; - - double e1 = (1 - sqrt(1 - e12)) / (1 + sqrt(1 - e12)); - double radL0 = L0 / 180 * pi; - // 带内大地坐标 - double Y = xyh.Y % 1000000; - double x = (xyh.X - offsetX) * b / (b + elevation); - double y = (Y - offsetY) * b / (b + elevation); - - double u = x / - (a * (1 - e12 / 4 - 3 * e12 * e12 / 64 - 5 * e12 * e12 * e12 / 256)); - double fai = u + - (3 * e1 / 2 - 27 * e1 * e1 * e1 / 32) * sin(2 * u) + - (21 * e1 * e1 / 16 - 55 * e1 * e1 * e1 * e1 / 32) * sin(4 * u) + - (151 * e1 * e1 * e1 / 96) * sin(6 * u) + - (1097 * e1 * e1 * e1 * e1 / 512) * sin(8 * u); - double C = e22 * cos(fai) * cos(fai); - double T = tan(fai) * tan(fai); - double N = a / sqrt(1 - e12 * sin(fai) * sin(fai)); - double R = a * - (1 - e12) / - sqrt((1 - e12 * sin(fai) * sin(fai)) * - (1 - e12 * sin(fai) * sin(fai)) * - (1 - e12 * sin(fai) * sin(fai))); - double D = y / N; - - double L = radL0 + - (D - - (1 + 2 * T + C) * D * D * D / 6 + - (5 - 2 * C + 28 * T - 3 * C * C + 8 * e22 + 24 * T * T) * - D * - D * - D * - D * - D / - 120) / - cos(fai); - double B = fai - - (N * tan(fai) / R) * - (D * D / 2 - - (5 + 3 * T + 10 * C - 4 * C * C - 9 * e22) * - D * - D * - D * - D / - 24 + - (61 + 90 * T + 298 * C + 45 * T * T - 256 * e22 - 3 * C * C) * - D * - D * - D * - D * - D * - D / - 720); - - B = B * 180 / pi; - L = L * 180 / pi; - return CoordBLH(B: B, L: L, H: xyh.H); - } - - //两点之间的距离公式 - dist(PointXY p1, PointXY p2) { - double d = sqrt(pow((p2.X - p1.X), 2) + pow((p2.Y - p1.Y), 2)); - return d; - } - - //求坐标方位角 - double fwj(PointXY p1, PointXY p2) { - double dx = p2.X - p1.X; - double dy = p2.Y - p1.Y; - return pi - sign(dy) - atan(dx / dy); - } - - // 计算三参数 - TransOptions calcThree(CoordBLH p1, CoordXYH p2) { - CoordXYZ source = BLH2XYZ(p1); - CoordBLH bl = XY2BL(p2, true); - CoordXYZ dest = BLH2XYZ(bl, true); - - double dX = dest.X - source.X; - double dY = dest.Y - source.Y; - double dZ = dest.Z - source.Z; - return TransOptions(dx: dX, dy: dY, dz: dZ); - } - -// TransOptions calcFour(List p1, List p2, int PointCount) { -// double rota = 0; -// double scale = 0; -// double dx = 0; -// double dy = 0; -// if (PointCount == 2) { -// rota = fwj(p2[0] as PointXY, p2[1]) - fwj(p1[0], p1[1]); -// scale = dist(p2[0], p2[1]) / dist(p1[0], p1[1]); -// dx = p2[0].X - scale * cos(rota) * p1[0].X + scale * sin(rota) * p1[0].Y; -// dy = p2[0].Y - scale * sin(rota) * p1[0].X - scale * cos(rota) * p1[0].Y; -// } else if (PointCount > 2) { -// double u = 1.0, v = 0, Dx = 0.0, Dy = 0.0; -// int intCount = PointCount; - -// Matrix4 dx1 = Matrix.zeros(4, 1); -// // Matrix4 B1 = Matrix.zeros(2 * intCount, 4); -// Matrix4 B1 = Matrix4.zero(); -// for (int i = 0; i < 2 * intCount; i++) { -// for (int j = 0; j < 4; j++) { -// B1.setEntry(i, j, 0); -// } -// } -// Matrix4 W1 = Matrix.zeros(2 * intCount, 1); -// // Matrix4 BT = Matrix.zeros(4, 2 * intCount); -// Matrix4 BT = Matrix4.zero(); -// for (int i = 0; i < 4; i++) { -// for (int j = 0; j < 2 * intCount; j++) { -// BT.setEntry(i, j, 0); -// } -// } -// Matrix4 N = Matrix4( -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// ); -// Matrix4 InvN = Matrix4( -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// 0, -// ); -// Matrix4 BTW = Matrix.zeros(4, 1); -// for (int i = 0; i < intCount; i++) { -// //计算误差方程系数 -// B1.setEntry(2 * i, 0, 1); -// B1.setEntry(2 * i, 1, 0); -// B1.setEntry(2 * i, 2, p1[i].X); -// B1.setEntry(2 * i, 3, -p1[i].Y); - -// B1.setEntry(2 * i + 1, 0, 0); -// B1.setEntry(2 * i + 1, 1, 1); -// B1.setEntry(2 * i + 1, 2, p1[i].Y); -// B1.setEntry(2 * i + 1, 3, p1[i].X); -// // B1[2 * i][0] = 1; -// // B1[2 * i][1] = 0; -// // B1[2 * i][2] = p1[i].X; -// // B1[2 * i][3] = -p1[i].Y; - -// // B1[2 * i + 1][0] = 0; -// // B1[2 * i + 1][1] = 1; -// // B1[2 * i + 1][2] = p1[i].Y; -// // B1[2 * i + 1][3] = p1[i].X; -// } -// for (int i = 0; i < intCount; i++) { -// //计算误差方程系常数 -// // W1[2 * i][0] = p2[i].X - u * p1[i].X + v * p1[i].Y - Dx; -// // W1[2 * i + 1][0] = p2[i].Y - u * p1[i].Y - v * p1[i].X - Dy; -// W1.setEntry(2 * i, 0, p2[i].X - u * p1[i].X + v * p1[i].Y - Dx); -// W1.setEntry(2 * i + 1, 0, p2[i].Y - u * p1[i].Y - v * p1[i].X - Dy); -// } -// // 最小二乘求解 -// Matrix4 b1 = Matrix4.identity(); -// // 矩阵 B1 的转置 -// BT = Matrix4.copy(b1); -// BT.transpose(); -// // 矩阵乘法 -// N = BT * B1; -// // 逆矩阵 -// InvN = N.clone(); -// InvN.invert(); -// BTW = BT * (W1); -// dx1 = InvN * (BTW); - -// Dx = Dx + dx1[0][0]; -// Dy = Dy + dx1[1][0]; -// u = u + dx1[2][0]; -// v = v + dx1[3][0]; -// dx = Dx; -// dy = Dy; -// rota = atan(v / u); -// scale = u / cos(rota); -// } -// return TransOptions(rota: rota, k: scale, dx: dx, dy: dy); -// } - -// // 计算七参数 -// TransOptions calcBuras(List p1, List p2, pointCount) { -// let B1 = Matrix.zeros(pointCount * 3, 7); -// let dx1 = Matrix.zeros(7, 1); -// let L = Matrix.zeros(pointCount * 3, 1); -// let BT = Matrix.zeros(7, pointCount * 3); -// let N = Matrix.zeros(7, 7); -// let InvN = Matrix.zeros(7, 7); -// let BTL = Matrix.zeros(7, 1); -// for (int i = 0; i < pointCount * 3; i++) { -// if (i % 3 == 0) { -// L[i][0] = p2[(i / 3).floor()].X; -// } else if (i % 3 == 1) { -// L[i][0] = p2[(i / 3).floor()].Y; -// } else if (i % 3 == 2) { -// L[i][0] = p2[(i / 3).floor()].Z; -// } -// } - -// for (int i = 0; i < pointCount * 3; i++) { -// if (i % 3 == 0) { -// int index = (i / 3) as int; -// B1[i][0] = 1; -// B1[i][1] = 0; -// B1[i][2] = 0; -// B1[i][3] = p1[index].X; -// B1[i][4] = 0; -// B1[i][5] = -p1[index].Z; -// B1[i][6] = p1[index].Y; -// } else if (i % 3 == 1) { -// int index = ((i - 1) / 3) as int; -// B1[i][0] = 0; -// B1[i][1] = 1; -// B1[i][2] = 0; -// B1[i][3] = p1[index].Y; -// B1[i][4] = p1[index].Z; -// B1[i][5] = 0; -// B1[i][6] = -p1[index].X; -// } else if (i % 3 == 2) { -// int index = ((i - 2) / 3) as int; -// B1[i][0] = 0; -// B1[i][1] = 0; -// B1[i][2] = 1; -// B1[i][3] = p1[index].Z; -// B1[i][4] = -p1[index].Y; -// B1[i][5] = p1[index].X; -// B1[i][6] = 0; -// } -// } -// Matrix4 b1 = Matrix4.identity(); -// BT = B1.transpose(); -// N = BT.mmul(B1); -// InvN = inverse(N); -// BTL = BT.mmul(L); -// dx1 = InvN.mmul(BTL); - -// double dx = dx1[0][0]; -// double dy = dx1[1][0]; -// double dz = dx1[2][0]; -// double scale = dx1[3][0]; -// double rotax = dx1[4][0] / dx1[3][0]; -// double rotay = dx1[5][0] / dx1[3][0]; -// double rotaz = dx1[6][0] / dx1[3][0]; - -// return TransOptions( -// dx: dx, dy: dy, dz: dz, k: scale, rx: rotax, ry: rotay, rz: rotaz); -// } - - double sign(num number) { - if (number < 0) { - return -1.0; - } else if (number > 0) { - return 1.0; - } else { - return 0.0; - } - } -} diff --git a/lib/screens/aimpoint_page.dart b/lib/screens/aimpoint_page.dart index 05d06d7..b14ea6e 100644 --- a/lib/screens/aimpoint_page.dart +++ b/lib/screens/aimpoint_page.dart @@ -1,13 +1,15 @@ import 'dart:async'; +import 'dart:math'; import 'dart:ui' as ui; import 'package:flutter/material.dart'; import 'package:get/get.dart'; import 'package:scence_map/controller.dart'; +import 'package:scence_map/scence_map.dart'; -import '../modules/device_type.dart'; +import '../map_pointer/modules/common/device_type.dart'; -import '../draws/aim_pointer.dart'; +import '../map_pointer/draws/aim_pointer.dart'; final SightController sight = Get.put(SightController()); @@ -23,6 +25,10 @@ class AimPointer extends StatefulWidget { //类的实例,用于管理 CounterPointer 的状态和生命周期。 class _AimPointerState extends State { + // late final DeviceItemController item; + // late final double maprotation; + // late final Offset targetPoint; + @override void initState() { super.initState(); @@ -41,6 +47,11 @@ class _AimPointerState extends State { bool isPortrait = Orientation.portrait == orientation ? true : false; double rectWidth = size.width; final deviceType = getDeviceType(context); + + // var dx = item.x - targetPoint.dx; + // var dy = item.y - targetPoint.dy; + // var left = dx * cos(maprotation) + dy * sin(maprotation); + // var top = -dx * sin(maprotation) + dy * cos(maprotation); if (orientation == Orientation.landscape) { rectWidth = size.width / 2 - 60; if (deviceType == DeviceType.mobile) { @@ -58,6 +69,10 @@ class _AimPointerState extends State { width: rectWidth, height: rectWidth, child: Card( + shape: RoundedRectangleBorder( + side: BorderSide(color: Colors.transparent, width: 0), + borderRadius: BorderRadius.circular(4.0), // 可以根据需要调整圆角半径 + ), child: Stack( children: [ Container( @@ -92,7 +107,7 @@ class _AimPointerState extends State { ); })), Positioned( - top: 10, + top: 25, right: 10, child: TextButton( child: Text( @@ -101,6 +116,33 @@ class _AimPointerState extends State { ), onPressed: () {}, )), + Positioned( + right: 0, + top: 0, + child: IconButton( + icon: const Icon(Icons.close), + onPressed: () { + // 关闭按钮的回调函数 + sight.isCardVisible.value = false; + }, + ), + ), + Positioned( + // left: rectWidth / 2 + left / mapcontroller.pixel2MeterRatio, + // top: rectWidth / 2 - top / mapcontroller.pixel2MeterRatio, + left: 70, + top: 70, + // child: Obx(() { + // return Transform( + // // transform: Matrix4.identity()..rotateZ(item.rotation.value), + // transform: Matrix4.identity()..rotateZ(0), + // alignment: FractionalOffset.center, + // child: DevicePointer(item), + // ); + // }), + + child: DevicePointer(), + ) ], ), ), @@ -125,75 +167,79 @@ class _AimPointerState extends State { } } -// List createDevice(ScenceMapController controller) { -// //用于生成设备的视图小部件列表 -// if (controller.isDrag) { -// return []; -// } -// List devices = []; -// controller.deviceList.forEach((key, item) { -// devices.add(Obx(() { -// Offset offset = controller.xy2Screen( -// gnsscontroller.pilerCenter.X, gnsscontroller.pilerCenter.Y); +class ScenceMap extends StatelessWidget { + const ScenceMap(); + @override + Widget build(BuildContext context) { + // 获取屏幕尺寸 + final Size screenSize = MediaQuery.of(context).size; -// double carWidth = item.width / controller.pixel2MeterRatio; -// double carHeight = item.height / controller.pixel2MeterRatio; -// print("${offset.dx - carHeight * 2},${offset.dy - carWidth}"); -// return Stack( -// children: [ -// Obx(() { -// // item.update.value; -// gnsscontroller.locationUpdate.value; + return Container( + width: screenSize.width, + height: screenSize.height, + child: ScenceMapView( + children: const [ + SightGview(), + ], + onUpdate: (Offset offset, double scale, double rotation) { + print("onScale: scale: $scale, offset: $offset,rotation: $rotation"); + }, + ), + ); + } +} -// Offset offset = controller.xy2Screen( -// gnsscontroller.pilerCenter.X, gnsscontroller.pilerCenter.Y); -// return Positioned( -// left: offset.dx - carHeight * 3.5, -// top: offset.dy - carWidth / 2, -// // width: , -// height: carWidth, -// child: Transform( -// transform: Matrix4.identity() -// // ..scale(item.scale) +// 瞄准器卡片 +class SightGview extends StatelessWidget { + const SightGview(); -// ..rotateZ(gnsscontroller.pilerCenter.rotation), -// alignment: FractionalOffset.center, -// // child: Image.network( -// // "http://v5.rdc.pub${item.image[item.status.value]}", -// // errorBuilder: (context, error, stackTrace) { -// // return Image.asset("") - -// // child: Image.asset("images/pilerCar.png", -// // errorBuilder: (context, error, stackTrace) { -// // return Text('无法加载图片'); -// // } -// // // width: item.width, -// // // height: item.height, -// // ) - -// child: Image.asset( -// "images/pilerCar.png", -// errorBuilder: (context, error, stackTrace) { -// return Text('无法加载图片'); -// }, -// // width: item.width, -// // height: item.height, -// ), -// )); -// }), -// Positioned( -// left: offset.dx, -// top: offset.dy, -// child: Transform( -// transform: Matrix4.identity() -// ..rotateZ(-controller.rotation.value), -// child: Column( -// children: [Text("设备:${item.name}")], -// ), -// )) -// ], -// ); -// })); -// }); -// return devices; -// } + @override + Widget build(BuildContext context) { + final Size size = MediaQuery.of(context).size; + MediaQueryData mediaQueryData = + MediaQueryData.fromView(WidgetsBinding.instance.window); //获取当前屏幕信息 + final orientation = mediaQueryData.orientation; //获得设备方向 + bool isPortrait = Orientation.portrait == orientation ? true : false; + double rectWidth = size.width; + final deviceType = getDeviceType(context); + if (orientation == Orientation.landscape) { + rectWidth = size.width / 2 - 60; + if (deviceType == DeviceType.mobile) { + rectWidth = size.height - 130; + } + } else { + rectWidth = size.height / 2; + if (deviceType == DeviceType.mobile) { + rectWidth = size.width - 5; + } + } + return Obx(() => Positioned( + left: sight.sightOffset.value.dx, + top: sight.sightOffset.value.dy, + width: rectWidth + 15, + height: rectWidth + 15, + child: GestureDetector( + onScaleStart: (details) { + // 正确计算初始偏移量:当前手指位置与卡片当前位置之间的差值 + sight.sightInit.value = + details.localFocalPoint - sight.sightOffset.value; + }, + onScaleUpdate: (details) { + // 使用初始偏移量来更新卡片的位置 + sight.sightOffset.value = + details.localFocalPoint - sight.sightInit.value; + }, + child: Visibility( + visible: sight.isCardVisible.value, // 控制可见性 + child: Container( + decoration: const BoxDecoration(color: Colors.transparent), + child: const Stack(children: [ + Card( + color: Colors.transparent, + elevation: 5.0, + child: AimPointer(), + ), + ]), + ))))); + } +} diff --git a/lib/screens/login_page.dart b/lib/screens/login_page.dart new file mode 100644 index 0000000..5641b6f --- /dev/null +++ b/lib/screens/login_page.dart @@ -0,0 +1,392 @@ +import 'dart:async'; + +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; +import 'package:flutter_svg/flutter_svg.dart'; +import '../login_in/user/loginprefs.dart'; +import '../login_in/service/service.dart'; + +class Login extends StatefulWidget { + const Login({super.key}); + + @override + State createState() => _LoginState(); +} + +class _LoginState extends State with SingleTickerProviderStateMixin { + //with SingleTickerProviderStateMixin 使this 不报错 + late TabController _tabController; + //初始化实例 + @override + void initState() { + _tabController = TabController(length: 2, vsync: this); + super.initState(); + } + + @override + void dispose() { + _tabController.dispose(); + super.dispose(); + } + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar( + title: const Text('欢迎登录'), + ), + body: Column( + children: [ + TabBar( + labelColor: Colors.black, // 设置选中标签的字体颜色为黑色 + unselectedLabelColor: Colors.grey, // 设置未选中标签的字体颜色为灰色 + labelStyle: const TextStyle(color: Colors.black), // 设置选中标签的字体颜色为黑色 + unselectedLabelStyle: + const TextStyle(color: Colors.grey), // 设置未选中标签的字体颜色为灰色 + controller: _tabController, + tabs: const [ + Tab(text: '手机号登录', icon: Icon(Icons.phone_android)), + Tab(text: '账号登录', icon: Icon(Icons.account_box_outlined)), + ], + ), + Expanded( + child: TabBarView( + controller: _tabController, + children: const [ + PhoneLoginPage(), + AccountLoginPage(), + ], + ), + ), + ], + ), + ); + } +} + +class AccountLoginPage extends StatefulWidget { + const AccountLoginPage({super.key}); + + @override + State createState() => _AccountLoginPageState(); +} + +class _AccountLoginPageState extends State { + //初始化FormState + final _formKey = GlobalKey(); + String username = ""; + String password = ""; + String verifyCode = ""; + String svgString = ""; + String captchaId = ""; + @override + void initState() { + super.initState(); + SchedulerBinding.instance.addPostFrameCallback((_) async { + await changeCaptcha(); + }); + } + + changeCaptcha() async { + var captcha = await GetServices().getCaptcha(); + setState(() { + svgString = captcha['data']; + captchaId = captcha['captchaId']; + }); + } + + showErrorSnackbar(BuildContext context, String text) { + final snackBar = SnackBar( + content: Text(text), + backgroundColor: Colors.red, + ); + + ScaffoldMessenger.of(context).showSnackBar(snackBar); + } + + LoginPrefs loginPrefs = LoginPrefs(); + bool _obscureText = false; + @override + Widget build(BuildContext context) { + return SingleChildScrollView( + child: Padding( + padding: const EdgeInsets.all(16.0), + child: Column( + children: [ + Form( + key: _formKey, + child: Column( + children: [ + // 账号输入框 + TextFormField( + decoration: const InputDecoration( + labelText: '用户名:', + ), + onSaved: (String? value) => username = value!, + validator: (String? value) { + String str = ""; + + RegExp regex = RegExp(r'^[a-zA-Z0-9]+$'); + if (value!.isEmpty) { + str = '用户名不能为空'; + } else if (!regex.hasMatch(value)) { + str = '请输入有效的账号'; + } + + return str == "" ? null : str; + }, + ), + const SizedBox(height: 16.0), + + // 密码输入框 + TextFormField( + decoration: InputDecoration( + labelText: '密码:', + suffixIcon: IconButton( + icon: Icon( + _obscureText + ? Icons.visibility + : Icons.visibility_off, + ), + onPressed: () { + setState(() { + _obscureText = !_obscureText; // 切换密码可见状态 + }); + }), + ), + obscureText: _obscureText, + onSaved: (String? value) => password = value!, + validator: (String? value) { + String str = ""; + RegExp regex = RegExp(r'^[a-zA-Z0-9@#$]+$'); + + if (value!.isEmpty) { + str = '密码不能为空'; + } else if (!regex.hasMatch(value)) { + str = '请输入有效的密码'; + } + + return str == "" ? null : str; + }, + ), + const SizedBox(height: 24.0), + Row( + children: [ + Expanded( + child: TextFormField( + decoration: const InputDecoration( + labelText: '验证码:', + ), + keyboardType: TextInputType.phone, + validator: (String? value) { + String str = ""; + + if (value!.isEmpty) { + str = '验证码不能为空'; + } + + return str == "" ? null : str; + }, + onSaved: (String? value) => verifyCode = value!, + ), + ), + ElevatedButton( + onPressed: () async { + changeCaptcha(); + }, + child: svgString.isNotEmpty + ? SvgPicture.string( + svgString, + width: 70, // 设置宽度 + height: 40, // 设置高度 + color: Colors.black, + ) + : const Text("")) + ], + ), + // 登录按钮 + ElevatedButton( + onPressed: () async { + if (_formKey.currentState!.validate()) { + _formKey.currentState!.save(); //必须 + var res = await GetServices().getAccountLogin( + captchaId, password, username, verifyCode); + setState(() { + if (res['code'] != 1000) { + changeCaptcha(); + showErrorSnackbar(context, res["message"]); + } else { + loginPrefs.saveExpire((res["data"]["expire"])); + loginPrefs.saveToken((res["data"]["token"])); + Navigator.pushNamed(context, 'home'); //跳转至首页 + } + }); + } + }, + child: const Text('登录'), + ), + ], + )) + ], + ), + ), + ); + } +} + +class PhoneLoginPage extends StatefulWidget { + const PhoneLoginPage({super.key}); + + @override + State createState() => _PhoneLoginPageState(); +} + +class _PhoneLoginPageState extends State { + String phoneNumber = ""; + String smsCode = ""; + bool issmsCode = false; + String smsText = "获取验证码"; + int _seconds = 60; + late Timer _timer; + //初始化FormState + final _formKey = GlobalKey(); + LoginPrefs loginPrefs = LoginPrefs(); + @override + void initState() { + super.initState(); + + phoneNumber = loginPrefs.getPhone(); + } + + void startTimer() { + _timer = Timer.periodic(const Duration(seconds: 1), (timer) { + if (_seconds > 0) { + _seconds -= 1; + smsText = "重新获取(${_seconds}s)"; + } else { + _timer.cancel(); // 到0时关闭定时器 + smsText = "获取验证码"; + } + }); + } + + showErrorSnackbar(BuildContext context, String text) { + final snackBar = SnackBar( + content: Text(text), + backgroundColor: Colors.red, + ); + + ScaffoldMessenger.of(context).showSnackBar(snackBar); + } + + final GlobalKey _scaffoldKey = GlobalKey(); + @override + Widget build(BuildContext context) { + return Container( + key: _scaffoldKey, + padding: const EdgeInsets.all(16.0), + child: SingleChildScrollView( + child: Column( + children: [ + Form( + key: _formKey, + child: + // 手机号输入框 + Column( + children: [ + TextFormField( + maxLength: 11, + initialValue: phoneNumber, + decoration: const InputDecoration( + labelText: '手机号', + ), + keyboardType: TextInputType.phone, + validator: (String? value) { + String str = ""; + final RegExp phoneRegex = RegExp(r'^[1-9]\d{10}$'); + if (value!.isEmpty) { + str = '手机号不能为空'; + } else if (!phoneRegex.hasMatch(value)) { + str = '请输入有效的手机号'; + } + + return str == "" ? null : str; + }, + onSaved: (String? value) => phoneNumber = value!, + ), + Row( + children: [ + Expanded( + child: TextFormField( + maxLength: 6, + decoration: const InputDecoration( + labelText: '验证码', + ), + keyboardType: TextInputType.phone, + validator: (String? value) { + String str = ""; + if (value!.isEmpty) { + str = '验证码不能为空'; + } + + if (issmsCode) { + return null; + } + return str == "" ? null : str; + }, + onSaved: (val) => smsCode = val!, + ), + ), + // 获取验证码按钮 + ElevatedButton( + onPressed: () async { + issmsCode = true; + if (_formKey.currentState!.validate()) { + _formKey.currentState!.save(); + // 收回键盘 + FocusScope.of(context).unfocus(); + await GetServices().getsmsCode(phoneNumber); + startTimer(); // 开始定时器 + } + }, + child: Text(smsText), + ), + ], + ), + const SizedBox(height: 16.0), + + // 登录按钮 + ElevatedButton( + onPressed: () async { + issmsCode = false; + if (_formKey.currentState!.validate()) { + _formKey.currentState!.save(); + // 表单校验通过,执行提交逻辑... + // 收回键盘 + FocusScope.of(context).unfocus(); + var res = await GetServices() + .phoneLogin(phoneNumber, smsCode); + setState(() { + if (res['code'] != 1000) { + showErrorSnackbar( + _scaffoldKey.currentContext!, res["message"]); + } else { + loginPrefs.savePhone(phoneNumber); + loginPrefs.saveExpire(res["data"]["expire"]); + loginPrefs.saveToken(res["data"]["token"]); + Navigator.pushNamed( + _scaffoldKey.currentContext!, 'home'); //跳转至首页 + } + }); + } + }, + child: const Text('登录'), + ), + ], + )), + ], + ), + ), + ); + } +} diff --git a/lib/screens/setting_page.dart b/lib/screens/setting_page.dart new file mode 100644 index 0000000..93bb14e --- /dev/null +++ b/lib/screens/setting_page.dart @@ -0,0 +1,162 @@ +//字体 +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; +import 'package:flutter/widgets.dart'; +import 'package:get/get.dart'; + +import '../login_in/connect/bluetooth_page.dart'; +import '../login_in/connect/config.dart'; +import '../login_in/connect/connect_type.dart'; +import '../login_in/getx/blue_tooth.dart'; +import '../setting/antenna_setting.dart'; +import '../setting/person_details.dart'; +import '../setting/wifi_page.dart'; +import '../setting/xy_change.dart'; + +class ListTileButton extends StatelessWidget { + final ListItem item; + + const ListTileButton({super.key, required this.item, isInput = false}); + + @override + Widget build(BuildContext context) { + return InkWell( + onTap: () => item.onPressed(), + child: ListTile( + leading: Icon(item.icon), + title: Text(item.text), + ), + ); + } +} + +class ListItem { + String text; + final IconData icon; + final Function onPressed; + + ListItem(this.text, this.icon, this.onPressed); +} + +TextStyle textStyle = const TextStyle(fontSize: 15); + +// //是否有获取地址权限 +// PermissionStatus? _status; + +final BlueToothController blueToothController = Get.put(BlueToothController()); +String connectedID = ""; + +//竖屏 +class SettingPortrait extends StatefulWidget { + const SettingPortrait({super.key}); + + @override + State createState() => _SettingPortraitState(); +} + +class _SettingPortraitState extends State { + String userName = ""; + List items = []; + void readID() { + setState(() { + connectedID = blueToothController.connectedDeviceID.value; + }); + } + + @override + void initState() { + super.initState(); + items = [ + ListItem('连接设置', Icons.change_circle_outlined, () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + title: const Text("选择连接方式"), + content: Column( + mainAxisSize: MainAxisSize.min, + children: [ + ListTile( + title: const Text("蓝牙连接"), + onTap: () { + // items[0].text = "连接设置(蓝牙)"; + AppConfig.updateConfig("connectType", "bluetooth"); + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => const BlueTooth()), + ); + }, + ), + ListTile( + title: const Text("WiFi连接"), + onTap: () { + blueToothController.connectedType.value = + ConnectType.wifi; + AppConfig.updateConfig("connectType", "wifi"); + // items[0].text = "连接设置(WiFi)"; + + // Connectivity() + // .checkConnectivity() + // .then((connectivityResult) { + // if (connectivityResult != ConnectivityResult.wifi) { + // OpenSettings.openWIFISetting(); + // } else { + + // } + // }); + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => const WifiPage()), + ); + }, + ), + ], + ), + ); + }, + ); + }), + // ListItem('规划点', Icons.download_outlined, () { + // Navigator.push(context, + // MaterialPageRoute(builder: (context) => const PlanPoint())); + // }), + ListItem('坐标转换', Icons.settings, () { + Navigator.push(context, + MaterialPageRoute(builder: (context) => const XyChangeView())); + }), + ListItem('个人中心', Icons.person_outline_outlined, () { + Navigator.push(context, + MaterialPageRoute(builder: (context) => const PersonDetails())); + }), + ListItem('天线位置设置', Icons.settings_input_antenna, () { + Navigator.push(context, + MaterialPageRoute(builder: (context) => const AntennaSetting())); + }), + ]; + SchedulerBinding.instance.addPostFrameCallback((_) async {}); + } + + @override + Widget build(BuildContext context) { + return ListView.builder( + itemCount: items.length, + itemBuilder: (BuildContext context, int index) { + return Column( + children: [ + Obx(() { + blueToothController.connectedType.value; + return SizedBox( + height: 40, + child: ListTileButton( + item: items[index], + )); + }), + const Divider(), // 在每个列表项下方添加一条线 + ], + ); + }, + ); + } +} diff --git a/lib/setting/antenna_setting.dart b/lib/setting/antenna_setting.dart new file mode 100644 index 0000000..ce04922 --- /dev/null +++ b/lib/setting/antenna_setting.dart @@ -0,0 +1,290 @@ +import 'package:flutter/material.dart'; +import 'package:get/get.dart'; + +import '../login_in/connect/blue_tooth.dart'; +import '../login_in/connect/index.dart'; +import '../login_in/getx/blue_tooth.dart'; + +final BlueToothController blueToothController = Get.put(BlueToothController()); +BlueSetting blueSetting = BlueSetting(); + +class AntennaSetting extends GetView { + const AntennaSetting({super.key}); + + @override + Widget build(BuildContext context) { + final size = MediaQuery.of(context).size; + final isPortrait = + MediaQuery.of(context).orientation == Orientation.portrait; + + // 获取当前的brightness信息 + Brightness currentBrightness = Theme.of(context).brightness; + bool isDarkMode = currentBrightness == Brightness.dark; + Widget simpleDevice = Card( + clipBehavior: Clip.hardEdge, + child: CustomPaint( + size: isPortrait + ? Size(size.width, size.height / 2) + : Size(size.width / 2, size.height - 80), + painter: SimpleDevice(controller, isDarkMode), + ), + ); + List inputList = [ + // const Text("中心点位置(m):"), + // Row( + // children: [ + // Expanded( + // child: TextFormField( + // enabled: false, // 设置为false以禁止输入 + // initialValue: + // controller.centerPoint.value.dx.toStringAsFixed(3), + // keyboardType: TextInputType.number, + // decoration: const InputDecoration(prefixText: 'x:'), + // validator: (value) { + // if (value == null || value.isEmpty) { + // return '请输入'; + // } + // return null; + // }, + // onChanged: (String value) { + // if (value != "") { + // double point = double.parse(value); + // if (point != 0) { + // controller.centerPoint.value = + // Offset(point, controller.centerPoint.value.dy); + // } + // } + // }), + // ), + // const SizedBox( + // width: 5, + // ), + // Expanded( + // child: TextFormField( + // enabled: false, // 设置为false以禁止输入 + // initialValue: + // controller.centerPoint.value.dy.toStringAsFixed(3), + // keyboardType: TextInputType.number, + // decoration: const InputDecoration(prefixText: 'y:'), + // validator: (value) { + // if (value == null || value.isEmpty) { + // return '请输入'; + // } + // return null; + // }, + // onChanged: (String value) { + // if (value != "") { + // double point = double.parse(value); + // if (point != 0) { + // controller.centerPoint.value = + // Offset(controller.centerPoint.value.dx, point); + // } + // } + // }), + // ) + // ], + // ), + + const Text("左侧位置(m):"), + Row( + children: [ + Expanded( + child: TextFormField( + initialValue: controller.leftPoint.value.dx.toStringAsFixed(3), + keyboardType: TextInputType.number, + decoration: const InputDecoration(prefixText: 'x:'), + validator: (value) { + if (value == null || value.isEmpty) { + return '请输入值'; + } + return null; + }, + onChanged: (String value) { + if (value != "") { + double point = double.parse(value); + if (point != 0) { + controller.leftPoint.value = + Offset(point, controller.leftPoint.value.dy); + } + } + }), + ), + const SizedBox( + width: 5, + ), + Expanded( + child: TextFormField( + initialValue: controller.leftPoint.value.dy.toStringAsFixed(3), + keyboardType: TextInputType.number, + decoration: const InputDecoration(prefixText: 'y:'), + validator: (value) { + if (value == null || value.isEmpty) { + return '请输入值'; + } + return null; + }, + onChanged: (String value) { + if (value != "") { + double point = double.parse(value); + if (point != 0) { + controller.leftPoint.value = + Offset(controller.leftPoint.value.dx, point); + } + } + }), + ), + ], + ), + const Text("右侧位置(m):"), + Row( + children: [ + Expanded( + child: TextFormField( + initialValue: controller.rightPoint.value.dx.toStringAsFixed(3), + keyboardType: TextInputType.number, + decoration: const InputDecoration(prefixText: 'x:'), + validator: (value) { + if (value == null || value.isEmpty) { + return '请输入值'; + } + return null; + }, + onChanged: (String value) { + if (value != "") { + double point = double.parse(value); + if (point != 0) { + controller.rightPoint.value = + Offset(point, controller.rightPoint.value.dy); + } + } + }), + ), + const SizedBox( + width: 5, + ), + Expanded( + child: TextFormField( + initialValue: controller.rightPoint.value.dy.toStringAsFixed(3), + keyboardType: TextInputType.number, + decoration: const InputDecoration(prefixText: 'y:'), + validator: (value) { + if (value == null || value.isEmpty) { + return '请输入值'; + } + return null; + }, + onChanged: (String value) { + if (value != "") { + double point = double.parse(value); + if (point != 0) { + controller.rightPoint.value = + Offset(controller.rightPoint.value.dx, point); + } + } + }), + ) + ], + ), + ]; + Widget button = TextButton( + onPressed: () { + Offset center = controller.leftPoint.value; + Offset right = + controller.rightPoint.value - controller.leftPoint.value; + + Connect().writeAntenna( + Offset(-center.dx, center.dy), + Offset(right.dx, -right.dy), + blueToothController.connectedDeviceID.value); + }, + child: const Text("位置更新")); + return Scaffold( + appBar: AppBar( + title: const Text('天线位置设置'), + toolbarHeight: 40, + ), + body: SingleChildScrollView( + child: isPortrait + ? Column( + children: [ + simpleDevice, + Card( + child: Column( + crossAxisAlignment: CrossAxisAlignment.start, + children: [...inputList, button], + ), + ) + ], + ) + : Row( + crossAxisAlignment: CrossAxisAlignment.start, + children: [ + simpleDevice, + Expanded( + child: Container( + padding: const EdgeInsets.all(10), + child: Column( + crossAxisAlignment: CrossAxisAlignment.start, + children: [...inputList, button], + ), + )) + ], + ), + ), + ); + } +} + +// 矩形图 +class SimpleDevice extends CustomPainter { + final AntennaController controller; + final bool isDarkMode; + SimpleDevice(this.controller, this.isDarkMode) : super(); + @override + void paint(Canvas canvas, Size size) { + final Paint paint = Paint() + ..style = PaintingStyle.stroke + ..strokeWidth = 2.0; + + paint.color = isDarkMode ? Colors.white : Colors.black; + + final Path path = Path(); + double w = size.width; + if (size.width > size.height) { + w = size.height; + } + double unit = w * .1; + double width = w * .2; + double height = w * .8; + double left = (size.width - width) / 2; + double top = (size.height - height) / 2; + canvas.translate(left, top); + canvas.drawRect(Rect.fromLTWH(0, 0, width, height), paint); + Offset center = Offset(controller.centerPoint.value.dx * unit, + controller.centerPoint.value.dy * unit); + double radius = 10; + canvas.drawCircle(center, radius, paint); + canvas.translate(center.dx, center.dy); + + Offset leftPoint = Offset(controller.leftPoint.value.dx * unit, + controller.leftPoint.value.dy * unit); + Offset rightPoint = Offset(controller.rightPoint.value.dx * unit, + controller.rightPoint.value.dy * unit); + canvas.drawLine(const Offset(10, 0), rightPoint, paint); + canvas.drawLine(const Offset(-10, 0), leftPoint, paint); + canvas.drawCircle(rightPoint, 10, paint); + canvas.drawCircle(leftPoint, 10, paint); + canvas.translate(-center.dx, -center.dy); + canvas.drawPath(path, paint); + canvas.translate(-left, -top); + } + + @override + bool shouldRepaint(covariant CustomPainter oldDelegate) => true; +} + +class AntennaController extends GetxController { + var leftPoint = const Offset(-1, 3).obs; + var rightPoint = const Offset(1, 3).obs; + var centerPoint = const Offset(1.0, 0.5).obs; +} diff --git a/lib/setting/person_details.dart b/lib/setting/person_details.dart new file mode 100644 index 0000000..4393d84 --- /dev/null +++ b/lib/setting/person_details.dart @@ -0,0 +1,79 @@ +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; + +import '../login_in/service/service.dart'; +import '../login_in/user/loginprefs.dart'; +import '../login_in/user/userModel.dart'; +import '../screens/setting_page.dart'; + + +class PersonDetails extends StatefulWidget { + const PersonDetails({super.key}); + + @override + State createState() => _PersonDetailsState(); +} + +class _PersonDetailsState extends State { + String userName = ''; + List items = []; + late UserModel user; + LoginPrefs loginPrefs = LoginPrefs(); + @override + void initState() { + SchedulerBinding.instance.addPostFrameCallback((_) async { + UserModel? getUser = UserController().getUser(); + if (getUser == null) { + var person = await GetServices().getPerson(); + UserController().setUser(person); + user = UserModel.fromJson(person); + } else {} + setState(() { + user = UserController().getUser()!; + }); + emptyFunc() => {}; + items = [ + // '用户名' + ListItem(user.username, Icons.home, emptyFunc), + // "姓名" + ListItem(user.name, Icons.person, emptyFunc), + // "昵称" + ListItem(user.nickName, Icons.person_add_rounded, emptyFunc), + // "手机号" + ListItem(user.phone, Icons.phone_android, emptyFunc), + // "邮箱" + ListItem(user.email, Icons.email, emptyFunc), + // "备注" + ListItem(user.remark, Icons.info_outline, emptyFunc), + ListItem('退出登录', Icons.logout, () { + loginPrefs.clearLogin(); + Navigator.pushNamed(context, 'login'); + }), + ]; + }); + + super.initState(); + } + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar(title: const Text("个人中心")), + body: ListView.builder( + itemCount: items.length, + itemBuilder: (BuildContext context, int index) { + return Column( + children: [ + SizedBox( + height: 40, + child: ListTileButton( + item: items[index], + )), + + const Divider(), // 在每个列表项下方添加一条线 + ], + ); + }, + )); + } +} diff --git a/lib/setting/plan_point.dart b/lib/setting/plan_point.dart new file mode 100644 index 0000000..befa65b --- /dev/null +++ b/lib/setting/plan_point.dart @@ -0,0 +1,45 @@ +import 'package:flutter/material.dart'; + +import '../screens/setting_page.dart'; + +class PlanPoint extends StatefulWidget { + const PlanPoint({super.key}); + + @override + State createState() => _PlanPointState(); +} + +class _PlanPointState extends State { + List items = []; + @override + void initState() { + items = [ + ListItem('下载', Icons.download, () {}), + ListItem('删除', Icons.delete, () {}), + ]; + super.initState(); + } + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar( + toolbarHeight: 40, + title: const Text("规划点"), + ), + body: ListView.builder( + itemCount: items.length, + itemBuilder: (BuildContext context, int index) { + return Column( + children: [ + ListTileButton( + item: items[index], + ), + const Divider(), // 在每个列表项下方添加一条线 + ], + ); + }, + ), + ); + } +} diff --git a/lib/setting/wifi_page.dart b/lib/setting/wifi_page.dart new file mode 100644 index 0000000..14dd367 --- /dev/null +++ b/lib/setting/wifi_page.dart @@ -0,0 +1,252 @@ +import 'package:flutter/foundation.dart'; +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; + +import 'package:wifi_iot/wifi_iot.dart'; +import 'dart:async'; +import 'package:wifi_scan/wifi_scan.dart'; + +import '../login_in/connect/wifi.dart'; + +SocketSetting socket = SocketSetting(); + +class WifiPage extends StatefulWidget { + const WifiPage({super.key}); + + @override + State createState() => _WifiPageState(); +} + +class _WifiPageState extends State { + String ip = "192.168.4.1"; + int port = 6000; + @override + void initState() { + super.initState(); + SchedulerBinding.instance.addPostFrameCallback((_) async { + await _getScannedResults(context); + }); + } + + @override + void didChangeDependencies() { + super.didChangeDependencies(); + } + + reconnectToWifi(currentTitle, password, withInternet) async { + String ssid = currentTitle; + bool isConnected = await WiFiForIoTPlugin.isConnected(); + if (isConnected) { + // 断开当前WiFi连接 + await WiFiForIoTPlugin.disconnect(); + } + + // 连接到指定WiFi网络 + await WiFiForIoTPlugin.connect(ssid, + password: password, + security: NetworkSecurity.WPA, + withInternet: withInternet); + + // 检查连接状态 + isConnected = await WiFiForIoTPlugin.isConnected(); + if (isConnected) { + connectedssid = ssid; + + setState(() {}); + print("Successfully reconnected to WiFi network: $ssid"); + } else { + print("Failed to reconnect to WiFi network: $ssid"); + } + } + + List accessPoints = []; + StreamSubscription>? subscription; + bool shouldCheckCan = true; + Future _canGetScannedResults(BuildContext context) async { + if (shouldCheckCan) { + // check if can-getScannedResults + final can = await WiFiScan.instance.canGetScannedResults(); + // if can-not, then show error + if (can != CanGetScannedResults.yes) { + if (mounted) kShowSnackBar(context, "Cannot get scanned results: $can"); + accessPoints = []; + return false; + } + } + return true; + } + + Future _getScannedResults(BuildContext context) async { + if (await _canGetScannedResults(context)) { + // get scanned results + final results = await WiFiScan.instance.getScannedResults(); + setState(() => accessPoints = results); + } + } + + bool withInternet = false; + String password = "01010101"; + String currentTitle = ""; + String connectedssid = ""; + @override + Widget build(BuildContext context) { + final size = MediaQuery.of(context).size; + final isDarkMode = Theme.of(context).brightness == Brightness.dark; + TextEditingController passWordController = + TextEditingController(text: password); + + List children = [ + Row( + children: [ + const Text("是否允许上网:"), + Switch( + value: withInternet, + onChanged: ((value) { + setState(() { + withInternet = value; + }); + })), + ], + ), + TextFormField( + controller: passWordController, + obscureText: true, + decoration: const InputDecoration( + prefixText: '密码:', + border: InputBorder.none, + ), + onChanged: (String value) { + password = value; + }, + ) + ]; + return Scaffold( + appBar: AppBar( + toolbarHeight: 40, + title: const Text('WiFi列表'), + actions: [ + Padding( + padding: const EdgeInsets.symmetric(horizontal: 10), + child: IconButton( + onPressed: () async => _getScannedResults(context), + icon: const Icon(Icons.refresh)), + ) + ], + ), + body: Builder( + builder: (context) => Padding( + padding: const EdgeInsets.symmetric(vertical: 0, horizontal: 20), + child: Column( + mainAxisSize: MainAxisSize.max, + crossAxisAlignment: CrossAxisAlignment.start, + children: [ + const Divider(), + Flexible( + child: Center( + child: accessPoints.isEmpty + ? const Text("空") + : ListView.builder( + itemCount: accessPoints.length, + itemBuilder: (context, i) { + var accessPoint = accessPoints[i]; + var signalIcon = accessPoint.level >= -80 + ? Icons.signal_wifi_4_bar + : Icons.signal_wifi_0_bar; + int level = accessPoint.level; + if (level <= -80) { + signalIcon = Icons.signal_wifi_0_bar; // 弱信号 + } else if (level > -80 && level <= -70) { + signalIcon = Icons.network_wifi_2_bar_sharp; // 较弱 + } else if (level > -70 && level <= -60) { + signalIcon = Icons.network_wifi_3_bar_sharp; // 较好 + } else if (level > -60 && level <= -50) { + signalIcon = Icons.network_wifi; // 较强 + } else { + signalIcon = Icons.signal_wifi_4_bar; // 强信号 + } + + final title = accessPoint.ssid.isNotEmpty + ? accessPoint.ssid + : ""; + + return ListTile( + visualDensity: VisualDensity.compact, + leading: Icon(signalIcon), + title: Text(title), + subtitle: Text(accessPoint.bssid), + trailing: ElevatedButton( + child: Text( + connectedssid == accessPoint.ssid && + connectedssid != "" + ? "已连接" + : '连接'), + onPressed: () { + currentTitle = title; + Scaffold.of(context).openEndDrawer(); + }), + onTap: () { + currentTitle = title; + Scaffold.of(context).openEndDrawer(); + }, + ); + }), + ), + ), + ], + ), + ), + ), + endDrawer: Drawer( + backgroundColor: isDarkMode ? Colors.black : Colors.white, + width: size.width * .8, + child: SingleChildScrollView( + child: Container( + height: size.height, + padding: const EdgeInsets.fromLTRB(5, 20, 5, 20), + child: Stack( + children: [ + Column( + children: children, + ), + Positioned( + bottom: 20, + left: 10, + child: Row( + children: [ + TextButton( + onPressed: () { + Navigator.of(context).pop(); + }, + child: const Text("取消")), + TextButton( + onPressed: () async { + Navigator.of(context).pop(); + await reconnectToWifi( + currentTitle, password, withInternet); + }, + child: const Text("确认"), + ), + TextButton( + onPressed: () async { + Navigator.of(context).pop(); + await socket.connect(); + }, + child: const Text("连接"), + ) + ], + )) + ], + ), + ), + ), + ), + ); + } +} + +void kShowSnackBar(BuildContext context, String message) { + if (kDebugMode) print(message); + ScaffoldMessenger.of(context) + ..hideCurrentSnackBar() + ..showSnackBar(SnackBar(content: Text(message))); +} diff --git a/lib/setting/xy_change.dart b/lib/setting/xy_change.dart new file mode 100644 index 0000000..df96d71 --- /dev/null +++ b/lib/setting/xy_change.dart @@ -0,0 +1,253 @@ +import 'package:flutter/material.dart'; +import 'package:flutter/scheduler.dart'; +import 'package:get/get.dart'; + +import '../login_in/connect/blue_tooth.dart'; +import '../login_in/connect/index.dart'; +import '../login_in/getx/blue_tooth.dart'; +import '../login_in/service/coor_trans.dart'; +import '../login_in/service/service.dart'; +import '../map_pointer/modules/common/device_type.dart'; + + +final BlueToothController blueToothController = Get.put(BlueToothController()); +BlueSetting blueSetting = BlueSetting(); + +class XyChangeView extends StatefulWidget { + const XyChangeView({super.key}); + + @override + State createState() => _XyChangeViewState(); +} + +class _XyChangeViewState extends State { + List list = []; + CoorTransModel coorTrans = CoorTransModel( + name: "", + L0: 0, + belt: "", + dstEllipsoid: "", + dx: 0, + dy: 0, + dz: 0, + id: 0, + wx: 0, + wy: 0, + wz: 0, + k: 0, + elevation: 0, + isMain: 0, + rota: 0, + srcEllipsoid: ""); + + @override + void initState() { + super.initState(); + SchedulerBinding.instance.addPostFrameCallback((_) async { + List coordTransmap = await GetServices().getCoordTrans(); + if (coordTransmap.isNotEmpty) { + var mianBelt = + coordTransmap.firstWhere((element) => element['belt'] == 'main'); + coorTrans = CoorTransModel.fromJson(mianBelt); + setState(() {}); + } else { + print("当前项目没有设置中央子午线"); + return; + } + }); + } + + @override + Widget build(BuildContext context) { + final deviceType = getDeviceType(context); + final size = MediaQuery.of(context).size; + + return Scaffold( + appBar: AppBar( + title: const Text("坐标转换"), + toolbarHeight: 40, + ), + body: Container( + margin: const EdgeInsets.all(5), + child: ListView.builder( + itemCount: 1, + itemBuilder: (BuildContext context, int index) { + TextEditingController l0Controller = + TextEditingController(text: coorTrans.L0.toString()); + TextEditingController elevationController = + TextEditingController(text: coorTrans.elevation.toString()); + TextEditingController dxController = + TextEditingController(text: coorTrans.dx.toString()); + TextEditingController dyController = + TextEditingController(text: coorTrans.dy.toString()); + TextEditingController dzController = + TextEditingController(text: coorTrans.dz.toString()); + TextEditingController wxController = + TextEditingController(text: coorTrans.wx.toString()); + TextEditingController wyController = + TextEditingController(text: coorTrans.wy.toString()); + TextEditingController wzController = + TextEditingController(text: coorTrans.wz.toString()); + TextEditingController kController = + TextEditingController(text: coorTrans.k.toString()); + List list1 = [ + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: l0Controller, + decoration: const InputDecoration( + prefixText: '中央子午线:', + border: InputBorder.none, + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: elevationController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: '投影高程:', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + ]; + List list2 = [ + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: dxController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: 'x平移(m):', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: dyController, + decoration: const InputDecoration( + prefixText: 'Y平移(米):', + border: InputBorder.none, + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: dzController, + decoration: const InputDecoration( + prefixText: 'Z平移(米):', + border: InputBorder.none, + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + ]; + List list3 = [ + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: wxController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: 'X轴旋转(秒):', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: wyController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: 'Y轴旋转(秒):', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + Flexible( + child: TextFormField( + keyboardType: TextInputType.number, + controller: wzController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: 'Z轴旋转(秒):', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + ]; + + return Column( + children: [ + deviceType == DeviceType.mobile && size.width < 350 + ? Column( + children: list1, + ) + : Row( + children: list1, + ), + const Divider(), + deviceType == DeviceType.mobile && size.width < 350 + ? Column( + children: list2, + ) + : Row(children: list2), + const Divider(), + deviceType == DeviceType.mobile && size.width < 350 + ? Column( + children: list3, + ) + : Row( + children: list3, + ), + const Divider(), + SizedBox( + child: TextFormField( + keyboardType: TextInputType.number, + controller: kController, + decoration: const InputDecoration( + border: InputBorder.none, + prefixText: '尺度:', + ), + onChanged: (String value) { + // coorTrans.L0 =(value); + }, + )), + const Divider(), + TextButton( + onPressed: () { + Connect().writeCoorTransValue( + blueToothController.connectedDeviceID.value, + coorTrans); + }, + child: const Text("更新设置")) + ], + ); + }, + ), + )); + } +} diff --git a/macos/Flutter/GeneratedPluginRegistrant.swift b/macos/Flutter/GeneratedPluginRegistrant.swift index 194710f..2633486 100644 --- a/macos/Flutter/GeneratedPluginRegistrant.swift +++ b/macos/Flutter/GeneratedPluginRegistrant.swift @@ -7,8 +7,10 @@ import Foundation import flutter_webrtc import path_provider_foundation +import quick_blue func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) { FlutterWebRTCPlugin.register(with: registry.registrar(forPlugin: "FlutterWebRTCPlugin")) PathProviderPlugin.register(with: registry.registrar(forPlugin: "PathProviderPlugin")) + QuickBluePlugin.register(with: registry.registrar(forPlugin: "QuickBluePlugin")) } diff --git a/plugins/quick_blue/.gitignore b/plugins/quick_blue/.gitignore new file mode 100644 index 0000000..9be145f --- /dev/null +++ b/plugins/quick_blue/.gitignore @@ -0,0 +1,29 @@ +# Miscellaneous +*.class +*.log +*.pyc +*.swp +.DS_Store +.atom/ +.buildlog/ +.history +.svn/ + +# IntelliJ related +*.iml +*.ipr +*.iws +.idea/ + +# The .vscode folder contains launch configuration and tasks you configure in +# VS Code which you may wish to be included in version control, so this line +# is commented out by default. +#.vscode/ + +# Flutter/Dart/Pub related +# Libraries should not include pubspec.lock, per https://dart.dev/guides/libraries/private-files#pubspeclock. +/pubspec.lock +**/doc/api/ +.dart_tool/ +.packages +build/ diff --git a/plugins/quick_blue/.metadata b/plugins/quick_blue/.metadata new file mode 100644 index 0000000..8c15ad7 --- /dev/null +++ b/plugins/quick_blue/.metadata @@ -0,0 +1,10 @@ +# This file tracks properties of this Flutter project. +# Used by Flutter tool to assess capabilities and perform upgrades etc. +# +# This file should be version controlled and should not be manually edited. + +version: + revision: 77d935af4db863f6abd0b9c31c7e6df2a13de57b + channel: stable + +project_type: plugin diff --git a/plugins/quick_blue/CHANGELOG.md b/plugins/quick_blue/CHANGELOG.md new file mode 100644 index 0000000..41cc7d8 --- /dev/null +++ b/plugins/quick_blue/CHANGELOG.md @@ -0,0 +1,3 @@ +## 0.0.1 + +* TODO: Describe initial release. diff --git a/plugins/quick_blue/LICENSE b/plugins/quick_blue/LICENSE new file mode 100644 index 0000000..ba75c69 --- /dev/null +++ b/plugins/quick_blue/LICENSE @@ -0,0 +1 @@ +TODO: Add your license here. diff --git a/plugins/quick_blue/README.md b/plugins/quick_blue/README.md new file mode 100644 index 0000000..435e98a --- /dev/null +++ b/plugins/quick_blue/README.md @@ -0,0 +1,109 @@ +# quick_blue + +A cross-platform (Android/iOS/macOS/Windows/Linux) BluetoothLE plugin for Flutter + +# Usage + +- [Receive BLE availability changes](#receive-ble-availability-changes) +- [Scan BLE peripheral](#scan-ble-peripheral) +- [Connect BLE peripheral](#connect-ble-peripheral) +- [Discover services of BLE peripheral](#discover-services-of-ble-peripheral) +- [Transfer data between BLE central & peripheral](#transfer-data-between-ble-central--peripheral) + +| API | Android | iOS | macOS | Windows | Linux | +| :--- | :---: | :---: | :---: | :---: | :---: | +| availabilityChangeStream | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| isBluetoothAvailable | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| startScan/stopScan | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| connect/disconnect | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| discoverServices | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| setNotifiable | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| readValue | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| writeValue | ✔️ | ✔️ | ✔️ | ✔️ | ✔️ | +| requestMtu | ✔️ | ✔️ | ✔️ | ✔️ | | + +> * Windows' APIs are little different on `discoverServices`: https://github.com/woodemi/quick_blue/issues/76 + +## Receive BLE availability changes + +iOS/macOS +```dart +QuickBlue.availabilityChangeStream.listen((state) { + debugPrint('Bluetooth state: ${state.toString()}'); +}); +``` + + +## Scan BLE peripheral + +Android/iOS/macOS/Windows/Linux + +```dart +QuickBlue.scanResultStream.listen((result) { + print('onScanResult $result'); +}); + +QuickBlue.startScan(); +// ... +QuickBlue.stopScan(); +``` + +## Connect BLE peripheral + +Connect to `deviceId`, received from `QuickBlue.scanResultStream` + +```dart +QuickBlue.setConnectionHandler(_handleConnectionChange); + +void _handleConnectionChange(String deviceId, BlueConnectionState state) { + print('_handleConnectionChange $deviceId, $state'); +} + +QuickBlue.connect(deviceId); +// ... +QuickBlue.disconnect(deviceId); +``` + +## Discover services of BLE peripheral + +Discover services od `deviceId` + +```dart +QuickBlue.setServiceHandler(_handleServiceDiscovery); + +void _handleServiceDiscovery(String deviceId, String serviceId) { + print('_handleServiceDiscovery $deviceId, $serviceId'); +} + +QuickBlue.discoverServices(deviceId); +``` + +## Transfer data between BLE central & peripheral + +- Pull data from peripheral of `deviceId` + +> Data would receive within value handler of `QuickBlue.setValueHandler` +> Because it is how [peripheral(_:didUpdateValueFor:error:)](https://developer.apple.com/documentation/corebluetooth/cbperipheraldelegate/1518708-peripheral) work on iOS/macOS + +```dart +// Data would receive from value handler of `QuickBlue.setValueHandler` +QuickBlue.readValue(deviceId, serviceId, characteristicId); +``` + +- Send data to peripheral of `deviceId` + +```dart +QuickBlue.writeValue(deviceId, serviceId, characteristicId, value); +``` + +- Receive data from peripheral of `deviceId` + +```dart +QuickBlue.setValueHandler(_handleValueChange); + +void _handleValueChange(String deviceId, String characteristicId, Uint8List value) { + print('_handleValueChange $deviceId, $characteristicId, ${hex.encode(value)}'); +} + +QuickBlue.setNotifiable(deviceId, serviceId, characteristicId, true); +``` \ No newline at end of file diff --git a/plugins/quick_blue/analysis_options.yaml b/plugins/quick_blue/analysis_options.yaml new file mode 100644 index 0000000..a5744c1 --- /dev/null +++ b/plugins/quick_blue/analysis_options.yaml @@ -0,0 +1,4 @@ +include: package:flutter_lints/flutter.yaml + +# Additional information about this file can be found at +# https://dart.dev/guides/language/analysis-options diff --git a/plugins/quick_blue/android/.gitignore b/plugins/quick_blue/android/.gitignore new file mode 100644 index 0000000..c6cbe56 --- /dev/null +++ b/plugins/quick_blue/android/.gitignore @@ -0,0 +1,8 @@ +*.iml +.gradle +/local.properties +/.idea/workspace.xml +/.idea/libraries +.DS_Store +/build +/captures diff --git a/plugins/quick_blue/android/build.gradle b/plugins/quick_blue/android/build.gradle new file mode 100644 index 0000000..429b831 --- /dev/null +++ b/plugins/quick_blue/android/build.gradle @@ -0,0 +1,50 @@ +group 'com.example.quick_blue' +version '1.0-SNAPSHOT' + +buildscript { + ext.kotlin_version = '1.5.30' + repositories { + google() + mavenCentral() + } + + dependencies { + classpath 'com.android.tools.build:gradle:4.1.0' + classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" + } +} + +rootProject.allprojects { + repositories { + google() + mavenCentral() + } +} + +apply plugin: 'com.android.library' +apply plugin: 'kotlin-android' + +android { + compileSdkVersion 30 + + compileOptions { + sourceCompatibility JavaVersion.VERSION_1_8 + targetCompatibility JavaVersion.VERSION_1_8 + } + + kotlinOptions { + jvmTarget = '1.8' + } + + sourceSets { + main.java.srcDirs += 'src/main/kotlin' + } + + defaultConfig { + minSdkVersion 21 + } +} + +dependencies { + implementation "org.jetbrains.kotlin:kotlin-stdlib-jdk7:$kotlin_version" +} diff --git a/plugins/quick_blue/android/settings.gradle b/plugins/quick_blue/android/settings.gradle new file mode 100644 index 0000000..57d6cb9 --- /dev/null +++ b/plugins/quick_blue/android/settings.gradle @@ -0,0 +1 @@ +rootProject.name = 'quick_blue' diff --git a/plugins/quick_blue/android/src/main/AndroidManifest.xml b/plugins/quick_blue/android/src/main/AndroidManifest.xml new file mode 100644 index 0000000..05cef03 --- /dev/null +++ b/plugins/quick_blue/android/src/main/AndroidManifest.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + diff --git a/plugins/quick_blue/android/src/main/kotlin/com/example/quick_blue/QuickBluePlugin.kt b/plugins/quick_blue/android/src/main/kotlin/com/example/quick_blue/QuickBluePlugin.kt new file mode 100644 index 0000000..cf2c36a --- /dev/null +++ b/plugins/quick_blue/android/src/main/kotlin/com/example/quick_blue/QuickBluePlugin.kt @@ -0,0 +1,349 @@ +package com.example.quick_blue + +import android.annotation.SuppressLint +import android.bluetooth.* +import android.bluetooth.le.ScanCallback +import android.bluetooth.le.ScanResult +import android.content.Context +import android.content.BroadcastReceiver +import android.content.Intent +import android.content.IntentFilter +import android.os.Build +import android.os.Handler +import android.os.Looper +import android.util.Log +import androidx.annotation.NonNull +import io.flutter.embedding.engine.plugins.FlutterPlugin +import io.flutter.plugin.common.* +import io.flutter.plugin.common.MethodChannel.MethodCallHandler +import io.flutter.plugin.common.MethodChannel.Result +import java.nio.ByteBuffer +import java.nio.ByteOrder +import java.util.* + +private const val TAG = "QuickBluePlugin" + +/** QuickBluePlugin */ +@SuppressLint("MissingPermission") +class QuickBluePlugin: FlutterPlugin, MethodCallHandler, EventChannel.StreamHandler { + /// The MethodChannel that will the communication between Flutter and native Android + /// + /// This local reference serves to register the plugin with the Flutter Engine and unregister it + /// when the Flutter Engine is detached from the Activity + private lateinit var method : MethodChannel + private lateinit var eventAvailabilityChange : EventChannel + private lateinit var eventScanResult : EventChannel + private lateinit var messageConnector: BasicMessageChannel + + override fun onAttachedToEngine(@NonNull flutterPluginBinding: FlutterPlugin.FlutterPluginBinding) { + method = MethodChannel(flutterPluginBinding.binaryMessenger, "quick_blue/method") + eventAvailabilityChange = EventChannel(flutterPluginBinding.binaryMessenger, "quick_blue/event.availabilityChange") + eventScanResult = EventChannel(flutterPluginBinding.binaryMessenger, "quick_blue/event.scanResult") + messageConnector = BasicMessageChannel(flutterPluginBinding.binaryMessenger, "quick_blue/message.connector", StandardMessageCodec.INSTANCE) + method.setMethodCallHandler(this) + eventAvailabilityChange.setStreamHandler(this) + eventScanResult.setStreamHandler(this) + + context = flutterPluginBinding.applicationContext + mainThreadHandler = Handler(Looper.getMainLooper()) + bluetoothManager = flutterPluginBinding.applicationContext.getSystemService(Context.BLUETOOTH_SERVICE) as BluetoothManager + + context.registerReceiver( + broadcastReceiver, + IntentFilter(BluetoothAdapter.ACTION_STATE_CHANGED) + ) + } + + override fun onDetachedFromEngine(@NonNull binding: FlutterPlugin.FlutterPluginBinding) { + bluetoothManager.adapter.bluetoothLeScanner?.stopScan(scanCallback) + + context.unregisterReceiver(broadcastReceiver) + eventAvailabilityChange.setStreamHandler(null) + eventScanResult.setStreamHandler(null) + method.setMethodCallHandler(null) + } + + private lateinit var context: Context + private lateinit var mainThreadHandler: Handler + private lateinit var bluetoothManager: BluetoothManager + + private val knownGatts = mutableListOf() + + private fun sendMessage(messageChannel: BasicMessageChannel, message: Map) { + mainThreadHandler.post { messageChannel.send(message) } + } + + override fun onMethodCall(@NonNull call: MethodCall, @NonNull result: Result) { + when (call.method) { + "isBluetoothAvailable" -> { + result.success(bluetoothManager.adapter.isEnabled) + } + "startScan" -> { + bluetoothManager.adapter.bluetoothLeScanner?.startScan(scanCallback) + result.success(null) + } + "stopScan" -> { + bluetoothManager.adapter.bluetoothLeScanner?.stopScan(scanCallback) + result.success(null) + } + "connect" -> { + val deviceId = call.argument("deviceId")!! + if (knownGatts.find { it.device.address == deviceId } != null) { + return result.success(null) + } + val remoteDevice = bluetoothManager.adapter.getRemoteDevice(deviceId) + val gatt = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) { + remoteDevice.connectGatt(context, false, gattCallback, BluetoothDevice.TRANSPORT_LE) + } else { + remoteDevice.connectGatt(context, false, gattCallback) + } + knownGatts.add(gatt) + result.success(null) + // TODO connecting + } + "disconnect" -> { + val deviceId = call.argument("deviceId")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + cleanConnection(gatt) + result.success(null) + //FIXME If `disconnect` is called before BluetoothGatt.STATE_CONNECTED + // there will be no `disconnected` message any more + } + "discoverServices" -> { + val deviceId = call.argument("deviceId")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + gatt.discoverServices() + result.success(null) + } + "setNotifiable" -> { + val deviceId = call.argument("deviceId")!! + val service = call.argument("service")!! + val characteristic = call.argument("characteristic")!! + val bleInputProperty = call.argument("bleInputProperty")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + val c = gatt.getCharacteristic(service, characteristic) + ?: return result.error("IllegalArgument", "Unknown characteristic: $characteristic", null) + gatt.setNotifiable(c, bleInputProperty) + result.success(null) + } + "readValue" -> { + val deviceId = call.argument("deviceId")!! + val service = call.argument("service")!! + val characteristic = call.argument("characteristic")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + val c = gatt.getCharacteristic(service, characteristic) + ?: return result.error("IllegalArgument", "Unknown characteristic: $characteristic", null) + if (gatt.readCharacteristic(c)) + result.success(null) + else + result.error("Characteristic unavailable", null, null) + } + "writeValue" -> { + val deviceId = call.argument("deviceId")!! + val service = call.argument("service")!! + val characteristic = call.argument("characteristic")!! + val value = call.argument("value")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + val c = gatt.getCharacteristic(service, characteristic) + ?: return result.error("IllegalArgument", "Unknown characteristic: $characteristic", null) + c.value = value + if (gatt.writeCharacteristic(c)) + result.success(null) + else + result.error("Characteristic unavailable", null, null) + } + "requestMtu" -> { + val deviceId = call.argument("deviceId")!! + val expectedMtu = call.argument("expectedMtu")!! + val gatt = knownGatts.find { it.device.address == deviceId } + ?: return result.error("IllegalArgument", "Unknown deviceId: $deviceId", null) + gatt.requestMtu(expectedMtu) + result.success(null) + } + else -> { + result.notImplemented() + } + } + } + + private fun cleanConnection(gatt: BluetoothGatt) { + knownGatts.remove(gatt) + gatt.disconnect() + } + + enum class AvailabilityState(val value: Int) { + unknown(0), + resetting(1), + unsupported(2), + unauthorized(3), + poweredOff(4), + poweredOn(5), + } + + fun BluetoothManager.getAvailabilityState(): AvailabilityState { + val state = adapter?.state ?: return AvailabilityState.unsupported + return when(state) { + BluetoothAdapter.STATE_OFF -> AvailabilityState.poweredOff + BluetoothAdapter.STATE_ON -> AvailabilityState.poweredOn + BluetoothAdapter.STATE_TURNING_ON -> AvailabilityState.resetting + BluetoothAdapter.STATE_TURNING_OFF -> AvailabilityState.resetting + else -> AvailabilityState.unknown + } + } + + private val broadcastReceiver = object : BroadcastReceiver() { + override fun onReceive(context: Context, intent: Intent) { + if (intent?.action == BluetoothAdapter.ACTION_STATE_CHANGED) { + availabilityChangeSink?.success(bluetoothManager.getAvailabilityState().value) + } + } + } + + private val scanCallback = object : ScanCallback() { + override fun onScanFailed(errorCode: Int) { + Log.v(TAG, "onScanFailed: $errorCode") + } + + override fun onScanResult(callbackType: Int, result: ScanResult) { + // Log.v(TAG, "onScanResult: $callbackType + $result") + scanResultSink?.success(mapOf( + "name" to (result.device.name ?: ""), + "deviceId" to result.device.address, + "manufacturerDataHead" to (result.manufacturerDataHead ?: byteArrayOf()), + "rssi" to result.rssi + )) + } + + override fun onBatchScanResults(results: MutableList?) { + Log.v(TAG, "onBatchScanResults: $results") + } + } + + private var availabilityChangeSink: EventChannel.EventSink? = null + private var scanResultSink: EventChannel.EventSink? = null + + override fun onListen(args: Any?, eventSink: EventChannel.EventSink?) { + val map = args as? Map ?: return + when (map["name"]) { + "availabilityChange" -> { + availabilityChangeSink = eventSink + availabilityChangeSink?.success(bluetoothManager.getAvailabilityState().value) + } + "scanResult" -> scanResultSink = eventSink + } + } + + override fun onCancel(args: Any?) { + val map = args as? Map ?: return + when (map["name"]) { + "availabilityChange" -> availabilityChangeSink = null + "scanResult" -> scanResultSink = null + } + } + + private val gattCallback = object : BluetoothGattCallback() { + override fun onConnectionStateChange(gatt: BluetoothGatt, status: Int, newState: Int) { + Log.v(TAG, "onConnectionStateChange: device(${gatt.device.address}) status($status), newState($newState)") + if (newState == BluetoothGatt.STATE_CONNECTED && status == BluetoothGatt.GATT_SUCCESS) { + sendMessage(messageConnector, mapOf( + "deviceId" to gatt.device.address, + "ConnectionState" to "connected" + )) + } else { + cleanConnection(gatt) + sendMessage(messageConnector, mapOf( + "deviceId" to gatt.device.address, + "ConnectionState" to "disconnected" + )) + } + } + + override fun onServicesDiscovered(gatt: BluetoothGatt, status: Int) { + Log.v(TAG, "onServicesDiscovered ${gatt.device.address} $status") + if (status != BluetoothGatt.GATT_SUCCESS) return + + gatt.services?.forEach { service -> + Log.v(TAG, "Service " + service.uuid) + service.characteristics.forEach { characteristic -> + Log.v(TAG, " Characteristic ${characteristic.uuid}") + characteristic.descriptors.forEach { + Log.v(TAG, " Descriptor ${it.uuid}") + } + } + + sendMessage(messageConnector, mapOf( + "deviceId" to gatt.device.address, + "ServiceState" to "discovered", + "service" to service.uuid.toString(), + "characteristics" to service.characteristics.map { it.uuid.toString() } + )) + } + } + + override fun onMtuChanged(gatt: BluetoothGatt?, mtu: Int, status: Int) { + if (status == BluetoothGatt.GATT_SUCCESS) { + sendMessage(messageConnector, mapOf( + "mtuConfig" to mtu + )) + } + } + + override fun onCharacteristicRead(gatt: BluetoothGatt, characteristic: BluetoothGattCharacteristic, status: Int) { + Log.v(TAG, "onCharacteristicRead ${characteristic.uuid}, ${characteristic.value.contentToString()}") + sendMessage(messageConnector, mapOf( + "deviceId" to gatt.device.address, + "characteristicValue" to mapOf( + "characteristic" to characteristic.uuid.toString(), + "value" to characteristic.value + ) + )) + } + + override fun onCharacteristicWrite(gatt: BluetoothGatt?, characteristic: BluetoothGattCharacteristic, status: Int) { + Log.v(TAG, "onCharacteristicWrite ${characteristic.uuid}, ${characteristic.value.contentToString()} $status") + } + + override fun onCharacteristicChanged(gatt: BluetoothGatt, characteristic: BluetoothGattCharacteristic) { + Log.v(TAG, "onCharacteristicChanged ${characteristic.uuid}, ${characteristic.value.contentToString()}") + sendMessage(messageConnector, mapOf( + "deviceId" to gatt.device.address, + "characteristicValue" to mapOf( + "characteristic" to characteristic.uuid.toString(), + "value" to characteristic.value + ) + )) + } + } +} + +val ScanResult.manufacturerDataHead: ByteArray? + get() { + val sparseArray = scanRecord?.manufacturerSpecificData ?: return null + if (sparseArray.size() == 0) return null + + return sparseArray.keyAt(0).toShort().toByteArray() + sparseArray.valueAt(0) + } + +fun Short.toByteArray(byteOrder: ByteOrder = ByteOrder.LITTLE_ENDIAN): ByteArray = + ByteBuffer.allocate(2 /*Short.SIZE_BYTES*/).order(byteOrder).putShort(this).array() + +fun BluetoothGatt.getCharacteristic(service: String, characteristic: String): BluetoothGattCharacteristic? = + getService(UUID.fromString(service)).getCharacteristic(UUID.fromString(characteristic)) + +private val DESC__CLIENT_CHAR_CONFIGURATION = UUID.fromString("00002902-0000-1000-8000-00805f9b34fb") + +fun BluetoothGatt.setNotifiable(gattCharacteristic: BluetoothGattCharacteristic, bleInputProperty: String) { + val descriptor = gattCharacteristic.getDescriptor(DESC__CLIENT_CHAR_CONFIGURATION) + val (value, enable) = when (bleInputProperty) { + "notification" -> BluetoothGattDescriptor.ENABLE_NOTIFICATION_VALUE to true + "indication" -> BluetoothGattDescriptor.ENABLE_INDICATION_VALUE to true + else -> BluetoothGattDescriptor.DISABLE_NOTIFICATION_VALUE to false + } + descriptor.value = value + setCharacteristicNotification(descriptor.characteristic, enable) && writeDescriptor(descriptor) +} \ No newline at end of file diff --git a/plugins/quick_blue/darwin/QuickBlueDarwin.swift b/plugins/quick_blue/darwin/QuickBlueDarwin.swift new file mode 100644 index 0000000..3ff685b --- /dev/null +++ b/plugins/quick_blue/darwin/QuickBlueDarwin.swift @@ -0,0 +1,281 @@ +import CoreBluetooth + +#if os(iOS) +import Flutter +import UIKit +#elseif os(OSX) +import Cocoa +import FlutterMacOS +#endif + +let GATT_HEADER_LENGTH = 3 + +let GSS_SUFFIX = "0000-1000-8000-00805f9b34fb" + +extension CBUUID { + public var uuidStr: String { + get { + uuidString.lowercased() + } + } +} + +extension CBPeripheral { + // FIXME https://forums.developer.apple.com/thread/84375 + public var uuid: UUID { + get { + value(forKey: "identifier") as! NSUUID as UUID + } + } + + public func getCharacteristic(_ characteristic: String, of service: String) -> CBCharacteristic? { + let s = self.services?.first { + $0.uuid.uuidStr == service || "0000\($0.uuid.uuidStr)-\(GSS_SUFFIX)" == service + } + let c = s?.characteristics?.first { + $0.uuid.uuidStr == characteristic || "0000\($0.uuid.uuidStr)-\(GSS_SUFFIX)" == characteristic + } + return c + } + + public func setNotifiable(_ bleInputProperty: String, for characteristic: String, of service: String) { + guard let characteristic = getCharacteristic(characteristic, of: service) else{ + return + } + setNotifyValue(bleInputProperty != "disabled", for: characteristic) + } +} + +public class QuickBlueDarwin: NSObject, FlutterPlugin { + public static func register(with registrar: FlutterPluginRegistrar) { + #if os(iOS) + let messenger = registrar.messenger() + #elseif os(OSX) + let messenger = registrar.messenger + #endif + let method = FlutterMethodChannel(name: "quick_blue/method", binaryMessenger: messenger) + let eventAvailabilityChange = FlutterEventChannel(name: "quick_blue/event.availabilityChange", binaryMessenger: messenger) + let eventScanResult = FlutterEventChannel(name: "quick_blue/event.scanResult", binaryMessenger: messenger) + let messageConnector = FlutterBasicMessageChannel(name: "quick_blue/message.connector", binaryMessenger: messenger) + + let instance = QuickBlueDarwin() + registrar.addMethodCallDelegate(instance, channel: method) + eventAvailabilityChange.setStreamHandler(instance) + eventScanResult.setStreamHandler(instance) + instance.messageConnector = messageConnector + } + + private lazy var manager: CBCentralManager = { CBCentralManager(delegate: self, queue: nil) }() + private var discoveredPeripherals = Dictionary() + + private var availabilityChangeSink: FlutterEventSink? + private var scanResultSink: FlutterEventSink? + private var messageConnector: FlutterBasicMessageChannel! + + public func handle(_ call: FlutterMethodCall, result: @escaping FlutterResult) { + switch call.method { + case "isBluetoothAvailable": + result(manager.state == .poweredOn) + case "startScan": + manager.scanForPeripherals(withServices: nil) + result(nil) + case "stopScan": + manager.stopScan() + result(nil) + case "connect": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + peripheral.delegate = self + manager.connect(peripheral) + result(nil) + case "disconnect": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + if (peripheral.state != .disconnected) { + manager.cancelPeripheralConnection(peripheral) + } + result(nil) + case "discoverServices": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + peripheral.discoverServices(nil) + result(nil) + case "setNotifiable": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + let service = arguments["service"] as! String + let characteristic = arguments["characteristic"] as! String + let bleInputProperty = arguments["bleInputProperty"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + guard let c = peripheral.getCharacteristic(characteristic, of: service) else { + result(FlutterError(code: "IllegalArgument", message: "Unknown characteristic:\(characteristic)", details: nil)) + return + } + peripheral.setNotifyValue(bleInputProperty != "disabled", for: c) + result(nil) + case "readValue": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + let service = arguments["service"] as! String + let characteristic = arguments["characteristic"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + guard let c = peripheral.getCharacteristic(characteristic, of: service) else { + result(FlutterError(code: "IllegalArgument", message: "Unknown characteristic:\(characteristic)", details: nil)) + return + } + peripheral.readValue(for: c) + result(nil) + case "writeValue": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + let service = arguments["service"] as! String + let characteristic = arguments["characteristic"] as! String + let value = arguments["value"] as! FlutterStandardTypedData + let bleOutputProperty = arguments["bleOutputProperty"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + let type = bleOutputProperty == "withoutResponse" ? CBCharacteristicWriteType.withoutResponse : CBCharacteristicWriteType.withResponse + guard let c = peripheral.getCharacteristic(characteristic, of: service) else { + result(FlutterError(code: "IllegalArgument", message: "Unknown characteristic:\(characteristic)", details: nil)) + return + } + peripheral.writeValue(value.data, for: c, type: type) + result(nil) + case "requestMtu": + let arguments = call.arguments as! Dictionary + let deviceId = arguments["deviceId"] as! String + guard let peripheral = discoveredPeripherals[deviceId] else { + result(FlutterError(code: "IllegalArgument", message: "Unknown deviceId:\(deviceId)", details: nil)) + return + } + result(nil) + let mtu = peripheral.maximumWriteValueLength(for: .withoutResponse) + print("peripheral.maximumWriteValueLengthForType:CBCharacteristicWriteWithoutResponse \(mtu)") + messageConnector.sendMessage(["mtuConfig": mtu + GATT_HEADER_LENGTH]) + default: + result(FlutterMethodNotImplemented) + } + } +} + +extension QuickBlueDarwin: CBCentralManagerDelegate { + public func centralManagerDidUpdateState(_ central: CBCentralManager) { + availabilityChangeSink?(central.state.rawValue) + } + + public func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String: Any], rssi RSSI: NSNumber) { + print("centralManager:didDiscoverPeripheral \(peripheral.name ?? "nil") \(peripheral.uuid.uuidString)") + discoveredPeripherals[peripheral.uuid.uuidString] = peripheral + + let manufacturerData = advertisementData[CBAdvertisementDataManufacturerDataKey] as? Data + scanResultSink?([ + "name": peripheral.name ?? "", + "deviceId": peripheral.uuid.uuidString, + "manufacturerData": FlutterStandardTypedData(bytes: manufacturerData ?? Data()), + "rssi": RSSI, + ]) + } + + public func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) { + print("centralManager:didConnect \(peripheral.uuid.uuidString)") + messageConnector.sendMessage([ + "deviceId": peripheral.uuid.uuidString, + "ConnectionState": "connected", + ]) + } + + public func centralManager(_ central: CBCentralManager, didDisconnectPeripheral peripheral: CBPeripheral, error: Error?) { + print("centralManager:didDisconnectPeripheral: \(peripheral.uuid.uuidString) error: \(String(describing: error))") + messageConnector.sendMessage([ + "deviceId": peripheral.uuid.uuidString, + "ConnectionState": "disconnected", + ]) + } +} + +extension QuickBlueDarwin: FlutterStreamHandler { + open func onListen(withArguments arguments: Any?, eventSink events: @escaping FlutterEventSink) -> FlutterError? { + guard let args = arguments as? Dictionary, let name = args["name"] as? String else { + return nil + } + print("QuickBlueDarwin onListenWithArguments: \(name)") + if name == "availabilityChange" { + availabilityChangeSink = events + availabilityChangeSink?(manager.state.rawValue) // Initializes CBCentralManager and returns the current state when hot restarting + } else if name == "scanResult" { + scanResultSink = events + } + return nil + } + + open func onCancel(withArguments arguments: Any?) -> FlutterError? { + guard let args = arguments as? Dictionary, let name = args["name"] as? String else { + return nil + } + print("QuickBlueDarwin onCancelWithArguments: \(name)") + if name == "availabilityChange" { + availabilityChangeSink = nil + } else if name == "scanResult" { + scanResultSink = nil + } + return nil + } +} + +extension QuickBlueDarwin: CBPeripheralDelegate { + public func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: Error?) { + print("peripheral: \(peripheral.uuid.uuidString) didDiscoverServices error: \(String(describing: error))") + for service in peripheral.services! { + peripheral.discoverCharacteristics(nil, for: service) + } + } + + public func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) { + for characteristic in service.characteristics! { + print("peripheral:didDiscoverCharacteristicsForService (\(service.uuid.uuidStr), \(characteristic.uuid.uuidStr)") + } + self.messageConnector.sendMessage([ + "deviceId": peripheral.uuid.uuidString, + "ServiceState": "discovered", + "service": service.uuid.uuidStr, + "characteristics": service.characteristics!.map { $0.uuid.uuidStr } + ]) + } + + public func peripheral(_ peripheral: CBPeripheral, didWriteValueFor characteristic: CBCharacteristic, error: Error?) { + let data = characteristic.value as NSData? + print("peripheral:didWriteValueForCharacteristic \(characteristic.uuid.uuidStr) \(String(describing: data)) error: \(String(describing: error))") + } + + public func peripheral(_ peripheral: CBPeripheral, didUpdateValueFor characteristic: CBCharacteristic, error: Error?) { + let data = characteristic.value as NSData? + print("peripheral:didUpdateValueForCharacteristic \(characteristic.uuid) \(String(describing: data)) error: \(String(describing: error))") + self.messageConnector.sendMessage([ + "deviceId": peripheral.uuid.uuidString, + "characteristicValue": [ + "characteristic": characteristic.uuid.uuidStr, + "value": FlutterStandardTypedData(bytes: characteristic.value!) + ] + ]) + } +} diff --git a/plugins/quick_blue/example/.gitignore b/plugins/quick_blue/example/.gitignore new file mode 100644 index 0000000..0fa6b67 --- /dev/null +++ b/plugins/quick_blue/example/.gitignore @@ -0,0 +1,46 @@ +# Miscellaneous +*.class +*.log +*.pyc +*.swp +.DS_Store +.atom/ +.buildlog/ +.history +.svn/ + +# IntelliJ related +*.iml +*.ipr +*.iws +.idea/ + +# The .vscode folder contains launch configuration and tasks you configure in +# VS Code which you may wish to be included in version control, so this line +# is commented out by default. +#.vscode/ + +# Flutter/Dart/Pub related +**/doc/api/ +**/ios/Flutter/.last_build_id +.dart_tool/ +.flutter-plugins +.flutter-plugins-dependencies +.packages +.pub-cache/ +.pub/ +/build/ + +# Web related +lib/generated_plugin_registrant.dart + +# Symbolication related +app.*.symbols + +# Obfuscation related +app.*.map.json + +# Android Studio will place build artifacts here +/android/app/debug +/android/app/profile +/android/app/release diff --git a/plugins/quick_blue/example/.metadata b/plugins/quick_blue/example/.metadata new file mode 100644 index 0000000..fd70cab --- /dev/null +++ b/plugins/quick_blue/example/.metadata @@ -0,0 +1,10 @@ +# This file tracks properties of this Flutter project. +# Used by Flutter tool to assess capabilities and perform upgrades etc. +# +# This file should be version controlled and should not be manually edited. + +version: + revision: 77d935af4db863f6abd0b9c31c7e6df2a13de57b + channel: stable + +project_type: app diff --git a/plugins/quick_blue/example/README.md b/plugins/quick_blue/example/README.md new file mode 100644 index 0000000..f37c7b9 --- /dev/null +++ b/plugins/quick_blue/example/README.md @@ -0,0 +1,16 @@ +# quick_blue_example + +Demonstrates how to use the quick_blue plugin. + +## Getting Started + +This project is a starting point for a Flutter application. + +A few resources to get you started if this is your first Flutter project: + +- [Lab: Write your first Flutter app](https://flutter.dev/docs/get-started/codelab) +- [Cookbook: Useful Flutter samples](https://flutter.dev/docs/cookbook) + +For help getting started with Flutter, view our +[online documentation](https://flutter.dev/docs), which offers tutorials, +samples, guidance on mobile development, and a full API reference. diff --git a/plugins/quick_blue/example/analysis_options.yaml b/plugins/quick_blue/example/analysis_options.yaml new file mode 100644 index 0000000..61b6c4d --- /dev/null +++ b/plugins/quick_blue/example/analysis_options.yaml @@ -0,0 +1,29 @@ +# This file configures the analyzer, which statically analyzes Dart code to +# check for errors, warnings, and lints. +# +# The issues identified by the analyzer are surfaced in the UI of Dart-enabled +# IDEs (https://dart.dev/tools#ides-and-editors). The analyzer can also be +# invoked from the command line by running `flutter analyze`. + +# The following line activates a set of recommended lints for Flutter apps, +# packages, and plugins designed to encourage good coding practices. +include: package:flutter_lints/flutter.yaml + +linter: + # The lint rules applied to this project can be customized in the + # section below to disable rules from the `package:flutter_lints/flutter.yaml` + # included above or to enable additional rules. A list of all available lints + # and their documentation is published at + # https://dart-lang.github.io/linter/lints/index.html. + # + # Instead of disabling a lint rule for the entire project in the + # section below, it can also be suppressed for a single line of code + # or a specific dart file by using the `// ignore: name_of_lint` and + # `// ignore_for_file: name_of_lint` syntax on the line or in the file + # producing the lint. + rules: + # avoid_print: false # Uncomment to disable the `avoid_print` rule + # prefer_single_quotes: true # Uncomment to enable the `prefer_single_quotes` rule + +# Additional information about this file can be found at +# https://dart.dev/guides/language/analysis-options diff --git a/plugins/quick_blue/example/android/.gitignore b/plugins/quick_blue/example/android/.gitignore new file mode 100644 index 0000000..6f56801 --- /dev/null +++ b/plugins/quick_blue/example/android/.gitignore @@ -0,0 +1,13 @@ +gradle-wrapper.jar +/.gradle +/captures/ +/gradlew +/gradlew.bat +/local.properties +GeneratedPluginRegistrant.java + +# Remember to never publicly share your keystore. +# See https://flutter.dev/docs/deployment/android#reference-the-keystore-from-the-app +key.properties +**/*.keystore +**/*.jks diff --git a/plugins/quick_blue/example/android/app/build.gradle b/plugins/quick_blue/example/android/app/build.gradle new file mode 100644 index 0000000..c033b21 --- /dev/null +++ b/plugins/quick_blue/example/android/app/build.gradle @@ -0,0 +1,68 @@ +def localProperties = new Properties() +def localPropertiesFile = rootProject.file('local.properties') +if (localPropertiesFile.exists()) { + localPropertiesFile.withReader('UTF-8') { reader -> + localProperties.load(reader) + } +} + +def flutterRoot = localProperties.getProperty('flutter.sdk') +if (flutterRoot == null) { + throw new GradleException("Flutter SDK not found. Define location with flutter.sdk in the local.properties file.") +} + +def flutterVersionCode = localProperties.getProperty('flutter.versionCode') +if (flutterVersionCode == null) { + flutterVersionCode = '1' +} + +def flutterVersionName = localProperties.getProperty('flutter.versionName') +if (flutterVersionName == null) { + flutterVersionName = '1.0' +} + +apply plugin: 'com.android.application' +apply plugin: 'kotlin-android' +apply from: "$flutterRoot/packages/flutter_tools/gradle/flutter.gradle" + +android { + compileSdkVersion flutter.compileSdkVersion + + compileOptions { + sourceCompatibility JavaVersion.VERSION_1_8 + targetCompatibility JavaVersion.VERSION_1_8 + } + + kotlinOptions { + jvmTarget = '1.8' + } + + sourceSets { + main.java.srcDirs += 'src/main/kotlin' + } + + defaultConfig { + // TODO: Specify your own unique Application ID (https://developer.android.com/studio/build/application-id.html). + applicationId "com.example.quick_blue_example" + minSdkVersion 21 + targetSdkVersion flutter.targetSdkVersion + versionCode flutterVersionCode.toInteger() + versionName flutterVersionName + } + + buildTypes { + release { + // TODO: Add your own signing config for the release build. + // Signing with the debug keys for now, so `flutter run --release` works. + signingConfig signingConfigs.debug + } + } +} + +flutter { + source '../..' +} + +dependencies { + implementation "org.jetbrains.kotlin:kotlin-stdlib-jdk7:$kotlin_version" +} diff --git a/plugins/quick_blue/example/android/app/src/debug/AndroidManifest.xml b/plugins/quick_blue/example/android/app/src/debug/AndroidManifest.xml new file mode 100644 index 0000000..5aa7253 --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/debug/AndroidManifest.xml @@ -0,0 +1,7 @@ + + + + diff --git a/plugins/quick_blue/example/android/app/src/main/AndroidManifest.xml b/plugins/quick_blue/example/android/app/src/main/AndroidManifest.xml new file mode 100644 index 0000000..992024d --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/AndroidManifest.xml @@ -0,0 +1,36 @@ + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/android/app/src/main/kotlin/com/example/quick_blue_example/MainActivity.kt b/plugins/quick_blue/example/android/app/src/main/kotlin/com/example/quick_blue_example/MainActivity.kt new file mode 100644 index 0000000..596ec80 --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/kotlin/com/example/quick_blue_example/MainActivity.kt @@ -0,0 +1,6 @@ +package com.example.quick_blue_example + +import io.flutter.embedding.android.FlutterActivity + +class MainActivity: FlutterActivity() { +} diff --git a/plugins/quick_blue/example/android/app/src/main/res/drawable-v21/launch_background.xml b/plugins/quick_blue/example/android/app/src/main/res/drawable-v21/launch_background.xml new file mode 100644 index 0000000..f74085f --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/res/drawable-v21/launch_background.xml @@ -0,0 +1,12 @@ + + + + + + + + diff --git a/plugins/quick_blue/example/android/app/src/main/res/drawable/launch_background.xml b/plugins/quick_blue/example/android/app/src/main/res/drawable/launch_background.xml new file mode 100644 index 0000000..304732f --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/res/drawable/launch_background.xml @@ -0,0 +1,12 @@ + + + + + + + + diff --git a/plugins/quick_blue/example/android/app/src/main/res/mipmap-hdpi/ic_launcher.png b/plugins/quick_blue/example/android/app/src/main/res/mipmap-hdpi/ic_launcher.png new file mode 100644 index 0000000..db77bb4 Binary files /dev/null and b/plugins/quick_blue/example/android/app/src/main/res/mipmap-hdpi/ic_launcher.png differ diff --git a/plugins/quick_blue/example/android/app/src/main/res/mipmap-mdpi/ic_launcher.png b/plugins/quick_blue/example/android/app/src/main/res/mipmap-mdpi/ic_launcher.png new file mode 100644 index 0000000..17987b7 Binary files /dev/null and b/plugins/quick_blue/example/android/app/src/main/res/mipmap-mdpi/ic_launcher.png differ diff --git a/plugins/quick_blue/example/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png new file mode 100644 index 0000000..09d4391 Binary files /dev/null and b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png differ diff --git a/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png new file mode 100644 index 0000000..d5f1c8d Binary files /dev/null and b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png differ diff --git a/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png new file mode 100644 index 0000000..4d6372e Binary files /dev/null and b/plugins/quick_blue/example/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png differ diff --git a/plugins/quick_blue/example/android/app/src/main/res/values-night/styles.xml b/plugins/quick_blue/example/android/app/src/main/res/values-night/styles.xml new file mode 100644 index 0000000..3db14bb --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/res/values-night/styles.xml @@ -0,0 +1,18 @@ + + + + + + + diff --git a/plugins/quick_blue/example/android/app/src/main/res/values/styles.xml b/plugins/quick_blue/example/android/app/src/main/res/values/styles.xml new file mode 100644 index 0000000..d460d1e --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/main/res/values/styles.xml @@ -0,0 +1,18 @@ + + + + + + + diff --git a/plugins/quick_blue/example/android/app/src/profile/AndroidManifest.xml b/plugins/quick_blue/example/android/app/src/profile/AndroidManifest.xml new file mode 100644 index 0000000..5aa7253 --- /dev/null +++ b/plugins/quick_blue/example/android/app/src/profile/AndroidManifest.xml @@ -0,0 +1,7 @@ + + + + diff --git a/plugins/quick_blue/example/android/build.gradle b/plugins/quick_blue/example/android/build.gradle new file mode 100644 index 0000000..0718fc7 --- /dev/null +++ b/plugins/quick_blue/example/android/build.gradle @@ -0,0 +1,31 @@ +buildscript { + ext.kotlin_version = '1.5.30' + repositories { + google() + mavenCentral() + } + + dependencies { + classpath 'com.android.tools.build:gradle:4.1.0' + classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" + } +} + +allprojects { + repositories { + google() + mavenCentral() + } +} + +rootProject.buildDir = '../build' +subprojects { + project.buildDir = "${rootProject.buildDir}/${project.name}" +} +subprojects { + project.evaluationDependsOn(':app') +} + +tasks.register("clean", Delete) { + delete rootProject.buildDir +} diff --git a/plugins/quick_blue/example/android/gradle.properties b/plugins/quick_blue/example/android/gradle.properties new file mode 100644 index 0000000..94adc3a --- /dev/null +++ b/plugins/quick_blue/example/android/gradle.properties @@ -0,0 +1,3 @@ +org.gradle.jvmargs=-Xmx1536M +android.useAndroidX=true +android.enableJetifier=true diff --git a/plugins/quick_blue/example/android/gradle/wrapper/gradle-wrapper.properties b/plugins/quick_blue/example/android/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 0000000..cfe88f6 --- /dev/null +++ b/plugins/quick_blue/example/android/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,6 @@ +#Fri Jun 23 08:50:38 CEST 2017 +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists +distributionUrl=https\://services.gradle.org/distributions/gradle-7.6.1-all.zip diff --git a/plugins/quick_blue/example/android/settings.gradle b/plugins/quick_blue/example/android/settings.gradle new file mode 100644 index 0000000..44e62bc --- /dev/null +++ b/plugins/quick_blue/example/android/settings.gradle @@ -0,0 +1,11 @@ +include ':app' + +def localPropertiesFile = new File(rootProject.projectDir, "local.properties") +def properties = new Properties() + +assert localPropertiesFile.exists() +localPropertiesFile.withReader("UTF-8") { reader -> properties.load(reader) } + +def flutterSdkPath = properties.getProperty("flutter.sdk") +assert flutterSdkPath != null, "flutter.sdk not set in local.properties" +apply from: "$flutterSdkPath/packages/flutter_tools/gradle/app_plugin_loader.gradle" diff --git a/plugins/quick_blue/example/ios/.gitignore b/plugins/quick_blue/example/ios/.gitignore new file mode 100644 index 0000000..7a7f987 --- /dev/null +++ b/plugins/quick_blue/example/ios/.gitignore @@ -0,0 +1,34 @@ +**/dgph +*.mode1v3 +*.mode2v3 +*.moved-aside +*.pbxuser +*.perspectivev3 +**/*sync/ +.sconsign.dblite +.tags* +**/.vagrant/ +**/DerivedData/ +Icon? +**/Pods/ +**/.symlinks/ +profile +xcuserdata +**/.generated/ +Flutter/App.framework +Flutter/Flutter.framework +Flutter/Flutter.podspec +Flutter/Generated.xcconfig +Flutter/ephemeral/ +Flutter/app.flx +Flutter/app.zip +Flutter/flutter_assets/ +Flutter/flutter_export_environment.sh +ServiceDefinitions.json +Runner/GeneratedPluginRegistrant.* + +# Exceptions to above rules. +!default.mode1v3 +!default.mode2v3 +!default.pbxuser +!default.perspectivev3 diff --git a/plugins/quick_blue/example/ios/Flutter/AppFrameworkInfo.plist b/plugins/quick_blue/example/ios/Flutter/AppFrameworkInfo.plist new file mode 100644 index 0000000..8d4492f --- /dev/null +++ b/plugins/quick_blue/example/ios/Flutter/AppFrameworkInfo.plist @@ -0,0 +1,26 @@ + + + + + CFBundleDevelopmentRegion + en + CFBundleExecutable + App + CFBundleIdentifier + io.flutter.flutter.app + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + App + CFBundlePackageType + FMWK + CFBundleShortVersionString + 1.0 + CFBundleSignature + ???? + CFBundleVersion + 1.0 + MinimumOSVersion + 9.0 + + diff --git a/plugins/quick_blue/example/ios/Flutter/Debug.xcconfig b/plugins/quick_blue/example/ios/Flutter/Debug.xcconfig new file mode 100644 index 0000000..ec97fc6 --- /dev/null +++ b/plugins/quick_blue/example/ios/Flutter/Debug.xcconfig @@ -0,0 +1,2 @@ +#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.debug.xcconfig" +#include "Generated.xcconfig" diff --git a/plugins/quick_blue/example/ios/Flutter/Release.xcconfig b/plugins/quick_blue/example/ios/Flutter/Release.xcconfig new file mode 100644 index 0000000..c4855bf --- /dev/null +++ b/plugins/quick_blue/example/ios/Flutter/Release.xcconfig @@ -0,0 +1,2 @@ +#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.release.xcconfig" +#include "Generated.xcconfig" diff --git a/plugins/quick_blue/example/ios/Podfile b/plugins/quick_blue/example/ios/Podfile new file mode 100644 index 0000000..1e8c3c9 --- /dev/null +++ b/plugins/quick_blue/example/ios/Podfile @@ -0,0 +1,41 @@ +# Uncomment this line to define a global platform for your project +# platform :ios, '9.0' + +# CocoaPods analytics sends network stats synchronously affecting flutter build latency. +ENV['COCOAPODS_DISABLE_STATS'] = 'true' + +project 'Runner', { + 'Debug' => :debug, + 'Profile' => :release, + 'Release' => :release, +} + +def flutter_root + generated_xcode_build_settings_path = File.expand_path(File.join('..', 'Flutter', 'Generated.xcconfig'), __FILE__) + unless File.exist?(generated_xcode_build_settings_path) + raise "#{generated_xcode_build_settings_path} must exist. If you're running pod install manually, make sure flutter pub get is executed first" + end + + File.foreach(generated_xcode_build_settings_path) do |line| + matches = line.match(/FLUTTER_ROOT\=(.*)/) + return matches[1].strip if matches + end + raise "FLUTTER_ROOT not found in #{generated_xcode_build_settings_path}. Try deleting Generated.xcconfig, then run flutter pub get" +end + +require File.expand_path(File.join('packages', 'flutter_tools', 'bin', 'podhelper'), flutter_root) + +flutter_ios_podfile_setup + +target 'Runner' do + use_frameworks! + use_modular_headers! + + flutter_install_all_ios_pods File.dirname(File.realpath(__FILE__)) +end + +post_install do |installer| + installer.pods_project.targets.each do |target| + flutter_additional_ios_build_settings(target) + end +end diff --git a/plugins/quick_blue/example/ios/Runner.xcodeproj/project.pbxproj b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.pbxproj new file mode 100644 index 0000000..26d0a40 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.pbxproj @@ -0,0 +1,552 @@ +// !$*UTF8*$! +{ + archiveVersion = 1; + classes = { + }; + objectVersion = 50; + objects = { + +/* Begin PBXBuildFile section */ + 1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */ = {isa = PBXBuildFile; fileRef = 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */; }; + 3B3967161E833CAA004F5970 /* AppFrameworkInfo.plist in Resources */ = {isa = PBXBuildFile; fileRef = 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */; }; + 74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 74858FAE1ED2DC5600515810 /* AppDelegate.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 */; }; + B9073778C60E98C353E95558 /* Pods_Runner.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 267704C746F7481BE2FD075F /* Pods_Runner.framework */; }; +/* End PBXBuildFile section */ + +/* Begin PBXCopyFilesBuildPhase section */ + 9705A1C41CF9048500538489 /* Embed Frameworks */ = { + isa = PBXCopyFilesBuildPhase; + buildActionMask = 2147483647; + dstPath = ""; + dstSubfolderSpec = 10; + files = ( + ); + name = "Embed Frameworks"; + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXCopyFilesBuildPhase section */ + +/* Begin PBXFileReference section */ + 1498D2321E8E86230040F4C2 /* GeneratedPluginRegistrant.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = GeneratedPluginRegistrant.h; sourceTree = ""; }; + 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = GeneratedPluginRegistrant.m; sourceTree = ""; }; + 267704C746F7481BE2FD075F /* Pods_Runner.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_Runner.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = AppFrameworkInfo.plist; path = Flutter/AppFrameworkInfo.plist; sourceTree = ""; }; + 62DFED7748A45B2C8AB309AD /* Pods-Runner.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-Runner.release.xcconfig"; path = "Target Support Files/Pods-Runner/Pods-Runner.release.xcconfig"; sourceTree = ""; }; + 74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = "Runner-Bridging-Header.h"; sourceTree = ""; }; + 74858FAE1ED2DC5600515810 /* AppDelegate.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = AppDelegate.swift; sourceTree = ""; }; + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = Release.xcconfig; path = Flutter/Release.xcconfig; sourceTree = ""; }; + 8D98FEFF83B7209CB5E85C69 /* Pods-Runner.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-Runner.debug.xcconfig"; path = "Target Support Files/Pods-Runner/Pods-Runner.debug.xcconfig"; sourceTree = ""; }; + 928BCE08B84E5EF4963AE926 /* 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 = ""; }; + 9740EEB21CF90195004384FC /* Debug.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Debug.xcconfig; path = Flutter/Debug.xcconfig; sourceTree = ""; }; + 9740EEB31CF90195004384FC /* Generated.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Generated.xcconfig; path = Flutter/Generated.xcconfig; sourceTree = ""; }; + 97C146EE1CF9000F007C117D /* Runner.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = Runner.app; sourceTree = BUILT_PRODUCTS_DIR; }; + 97C146FB1CF9000F007C117D /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.storyboard; name = Base; path = Base.lproj/Main.storyboard; sourceTree = ""; }; + 97C146FD1CF9000F007C117D /* Assets.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; path = Assets.xcassets; sourceTree = ""; }; + 97C147001CF9000F007C117D /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.storyboard; name = Base; path = Base.lproj/LaunchScreen.storyboard; sourceTree = ""; }; + 97C147021CF9000F007C117D /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; +/* End PBXFileReference section */ + +/* Begin PBXFrameworksBuildPhase section */ + 97C146EB1CF9000F007C117D /* Frameworks */ = { + isa = PBXFrameworksBuildPhase; + buildActionMask = 2147483647; + files = ( + B9073778C60E98C353E95558 /* Pods_Runner.framework in Frameworks */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXFrameworksBuildPhase section */ + +/* Begin PBXGroup section */ + 2B5912B4332ACFF87993A81F /* Frameworks */ = { + isa = PBXGroup; + children = ( + 267704C746F7481BE2FD075F /* Pods_Runner.framework */, + ); + name = Frameworks; + sourceTree = ""; + }; + 8E9EBB99EC94F35D1070368A /* Pods */ = { + isa = PBXGroup; + children = ( + 8D98FEFF83B7209CB5E85C69 /* Pods-Runner.debug.xcconfig */, + 62DFED7748A45B2C8AB309AD /* Pods-Runner.release.xcconfig */, + 928BCE08B84E5EF4963AE926 /* Pods-Runner.profile.xcconfig */, + ); + name = Pods; + path = Pods; + sourceTree = ""; + }; + 9740EEB11CF90186004384FC /* Flutter */ = { + isa = PBXGroup; + children = ( + 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */, + 9740EEB21CF90195004384FC /* Debug.xcconfig */, + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */, + 9740EEB31CF90195004384FC /* Generated.xcconfig */, + ); + name = Flutter; + sourceTree = ""; + }; + 97C146E51CF9000F007C117D = { + isa = PBXGroup; + children = ( + 9740EEB11CF90186004384FC /* Flutter */, + 97C146F01CF9000F007C117D /* Runner */, + 97C146EF1CF9000F007C117D /* Products */, + 8E9EBB99EC94F35D1070368A /* Pods */, + 2B5912B4332ACFF87993A81F /* Frameworks */, + ); + sourceTree = ""; + }; + 97C146EF1CF9000F007C117D /* Products */ = { + isa = PBXGroup; + children = ( + 97C146EE1CF9000F007C117D /* Runner.app */, + ); + name = Products; + sourceTree = ""; + }; + 97C146F01CF9000F007C117D /* Runner */ = { + isa = PBXGroup; + children = ( + 97C146FA1CF9000F007C117D /* Main.storyboard */, + 97C146FD1CF9000F007C117D /* Assets.xcassets */, + 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */, + 97C147021CF9000F007C117D /* Info.plist */, + 1498D2321E8E86230040F4C2 /* GeneratedPluginRegistrant.h */, + 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */, + 74858FAE1ED2DC5600515810 /* AppDelegate.swift */, + 74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */, + ); + path = Runner; + sourceTree = ""; + }; +/* End PBXGroup section */ + +/* Begin PBXNativeTarget section */ + 97C146ED1CF9000F007C117D /* Runner */ = { + isa = PBXNativeTarget; + buildConfigurationList = 97C147051CF9000F007C117D /* Build configuration list for PBXNativeTarget "Runner" */; + buildPhases = ( + 1A400B5A75970CECD3788202 /* [CP] Check Pods Manifest.lock */, + 9740EEB61CF901F6004384FC /* Run Script */, + 97C146EA1CF9000F007C117D /* Sources */, + 97C146EB1CF9000F007C117D /* Frameworks */, + 97C146EC1CF9000F007C117D /* Resources */, + 9705A1C41CF9048500538489 /* Embed Frameworks */, + 3B06AD1E1E4923F5004D2608 /* Thin Binary */, + 4360CC4FBC1B3F978A10BABA /* [CP] Embed Pods Frameworks */, + ); + buildRules = ( + ); + dependencies = ( + ); + name = Runner; + productName = Runner; + productReference = 97C146EE1CF9000F007C117D /* Runner.app */; + productType = "com.apple.product-type.application"; + }; +/* End PBXNativeTarget section */ + +/* Begin PBXProject section */ + 97C146E61CF9000F007C117D /* Project object */ = { + isa = PBXProject; + attributes = { + LastUpgradeCheck = 1300; + ORGANIZATIONNAME = ""; + TargetAttributes = { + 97C146ED1CF9000F007C117D = { + CreatedOnToolsVersion = 7.3.1; + LastSwiftMigration = 1100; + }; + }; + }; + buildConfigurationList = 97C146E91CF9000F007C117D /* Build configuration list for PBXProject "Runner" */; + compatibilityVersion = "Xcode 9.3"; + developmentRegion = en; + hasScannedForEncodings = 0; + knownRegions = ( + en, + Base, + ); + mainGroup = 97C146E51CF9000F007C117D; + productRefGroup = 97C146EF1CF9000F007C117D /* Products */; + projectDirPath = ""; + projectRoot = ""; + targets = ( + 97C146ED1CF9000F007C117D /* Runner */, + ); + }; +/* End PBXProject section */ + +/* Begin PBXResourcesBuildPhase section */ + 97C146EC1CF9000F007C117D /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 97C147011CF9000F007C117D /* LaunchScreen.storyboard in Resources */, + 3B3967161E833CAA004F5970 /* AppFrameworkInfo.plist in Resources */, + 97C146FE1CF9000F007C117D /* Assets.xcassets in Resources */, + 97C146FC1CF9000F007C117D /* Main.storyboard in Resources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXResourcesBuildPhase section */ + +/* Begin PBXShellScriptBuildPhase section */ + 1A400B5A75970CECD3788202 /* [CP] Check Pods Manifest.lock */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + ); + inputPaths = ( + "${PODS_PODFILE_DIR_PATH}/Podfile.lock", + "${PODS_ROOT}/Manifest.lock", + ); + name = "[CP] Check Pods Manifest.lock"; + outputFileListPaths = ( + ); + outputPaths = ( + "$(DERIVED_FILE_DIR)/Pods-Runner-checkManifestLockResult.txt", + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; + showEnvVarsInLog = 0; + }; + 3B06AD1E1E4923F5004D2608 /* Thin Binary */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputPaths = ( + ); + name = "Thin Binary"; + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "/bin/sh \"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh\" embed_and_thin"; + }; + 4360CC4FBC1B3F978A10BABA /* [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; + buildActionMask = 2147483647; + files = ( + ); + inputPaths = ( + ); + name = "Run Script"; + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "/bin/sh \"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh\" build"; + }; +/* End PBXShellScriptBuildPhase section */ + +/* Begin PBXSourcesBuildPhase section */ + 97C146EA1CF9000F007C117D /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */, + 1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXSourcesBuildPhase section */ + +/* Begin PBXVariantGroup section */ + 97C146FA1CF9000F007C117D /* Main.storyboard */ = { + isa = PBXVariantGroup; + children = ( + 97C146FB1CF9000F007C117D /* Base */, + ); + name = Main.storyboard; + sourceTree = ""; + }; + 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */ = { + isa = PBXVariantGroup; + children = ( + 97C147001CF9000F007C117D /* Base */, + ); + name = LaunchScreen.storyboard; + sourceTree = ""; + }; +/* End PBXVariantGroup section */ + +/* Begin XCBuildConfiguration section */ + 249021D3217E4FDB00AE95B9 /* Profile */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = iphoneos; + SUPPORTED_PLATFORMS = iphoneos; + TARGETED_DEVICE_FAMILY = "1,2"; + VALIDATE_PRODUCT = YES; + }; + name = Profile; + }; + 249021D4217E4FDB00AE95B9 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + DEVELOPMENT_TEAM = X637F4W694; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.example.quickBlueExample; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Profile; + }; + 97C147031CF9000F007C117D /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = dwarf; + ENABLE_STRICT_OBJC_MSGSEND = YES; + ENABLE_TESTABILITY = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_DYNAMIC_NO_PIC = NO; + GCC_NO_COMMON_BLOCKS = YES; + GCC_OPTIMIZATION_LEVEL = 0; + GCC_PREPROCESSOR_DEFINITIONS = ( + "DEBUG=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + MTL_ENABLE_DEBUG_INFO = YES; + ONLY_ACTIVE_ARCH = YES; + SDKROOT = iphoneos; + TARGETED_DEVICE_FAMILY = "1,2"; + }; + name = Debug; + }; + 97C147041CF9000F007C117D /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = iphoneos; + SUPPORTED_PLATFORMS = iphoneos; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + TARGETED_DEVICE_FAMILY = "1,2"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + 97C147061CF9000F007C117D /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 9740EEB21CF90195004384FC /* Debug.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + DEVELOPMENT_TEAM = X637F4W694; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.example.quickBlueExample; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Debug; + }; + 97C147071CF9000F007C117D /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + DEVELOPMENT_TEAM = X637F4W694; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.example.quickBlueExample; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Release; + }; +/* End XCBuildConfiguration section */ + +/* Begin XCConfigurationList section */ + 97C146E91CF9000F007C117D /* Build configuration list for PBXProject "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 97C147031CF9000F007C117D /* Debug */, + 97C147041CF9000F007C117D /* Release */, + 249021D3217E4FDB00AE95B9 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 97C147051CF9000F007C117D /* Build configuration list for PBXNativeTarget "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 97C147061CF9000F007C117D /* Debug */, + 97C147071CF9000F007C117D /* Release */, + 249021D4217E4FDB00AE95B9 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; +/* End XCConfigurationList section */ + }; + rootObject = 97C146E61CF9000F007C117D /* Project object */; +} diff --git a/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..919434a --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,7 @@ + + + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings new file mode 100644 index 0000000..f9b0d7c --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings @@ -0,0 +1,8 @@ + + + + + PreviewsEnabled + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/plugins/quick_blue/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme new file mode 100644 index 0000000..c87d15a --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme @@ -0,0 +1,87 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcworkspace/contents.xcworkspacedata b/plugins/quick_blue/example/ios/Runner.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..21a3cc1 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,10 @@ + + + + + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings b/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings new file mode 100644 index 0000000..f9b0d7c --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings @@ -0,0 +1,8 @@ + + + + + PreviewsEnabled + + + diff --git a/plugins/quick_blue/example/ios/Runner/AppDelegate.swift b/plugins/quick_blue/example/ios/Runner/AppDelegate.swift new file mode 100644 index 0000000..70693e4 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/AppDelegate.swift @@ -0,0 +1,13 @@ +import UIKit +import Flutter + +@UIApplicationMain +@objc class AppDelegate: FlutterAppDelegate { + override func application( + _ application: UIApplication, + didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]? + ) -> Bool { + GeneratedPluginRegistrant.register(with: self) + return super.application(application, didFinishLaunchingWithOptions: launchOptions) + } +} diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json new file mode 100644 index 0000000..d36b1fa --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json @@ -0,0 +1,122 @@ +{ + "images" : [ + { + "size" : "20x20", + "idiom" : "iphone", + "filename" : "Icon-App-20x20@2x.png", + "scale" : "2x" + }, + { + "size" : "20x20", + "idiom" : "iphone", + "filename" : "Icon-App-20x20@3x.png", + "scale" : "3x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@1x.png", + "scale" : "1x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@2x.png", + "scale" : "2x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@3x.png", + "scale" : "3x" + }, + { + "size" : "40x40", + "idiom" : "iphone", + "filename" : "Icon-App-40x40@2x.png", + "scale" : "2x" + }, + { + "size" : "40x40", + "idiom" : "iphone", + "filename" : "Icon-App-40x40@3x.png", + "scale" : "3x" + }, + { + "size" : "60x60", + "idiom" : "iphone", + "filename" : "Icon-App-60x60@2x.png", + "scale" : "2x" + }, + { + "size" : "60x60", + "idiom" : "iphone", + "filename" : "Icon-App-60x60@3x.png", + "scale" : "3x" + }, + { + "size" : "20x20", + "idiom" : "ipad", + "filename" : "Icon-App-20x20@1x.png", + "scale" : "1x" + }, + { + "size" : "20x20", + "idiom" : "ipad", + "filename" : "Icon-App-20x20@2x.png", + "scale" : "2x" + }, + { + "size" : "29x29", + "idiom" : "ipad", + "filename" : "Icon-App-29x29@1x.png", + "scale" : "1x" + }, + { + "size" : "29x29", + "idiom" : "ipad", + "filename" : "Icon-App-29x29@2x.png", + "scale" : "2x" + }, + { + "size" : "40x40", + "idiom" : "ipad", + "filename" : "Icon-App-40x40@1x.png", + "scale" : "1x" + }, + { + "size" : "40x40", + "idiom" : "ipad", + "filename" : "Icon-App-40x40@2x.png", + "scale" : "2x" + }, + { + "size" : "76x76", + "idiom" : "ipad", + "filename" : "Icon-App-76x76@1x.png", + "scale" : "1x" + }, + { + "size" : "76x76", + "idiom" : "ipad", + "filename" : "Icon-App-76x76@2x.png", + "scale" : "2x" + }, + { + "size" : "83.5x83.5", + "idiom" : "ipad", + "filename" : "Icon-App-83.5x83.5@2x.png", + "scale" : "2x" + }, + { + "size" : "1024x1024", + "idiom" : "ios-marketing", + "filename" : "Icon-App-1024x1024@1x.png", + "scale" : "1x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png new file mode 100644 index 0000000..dc9ada4 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png new file mode 100644 index 0000000..28c6bf0 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png new file mode 100644 index 0000000..2ccbfd9 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png new file mode 100644 index 0000000..f091b6b Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png new file mode 100644 index 0000000..4cde121 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png new file mode 100644 index 0000000..d0ef06e Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png new file mode 100644 index 0000000..dcdc230 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png new file mode 100644 index 0000000..2ccbfd9 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png new file mode 100644 index 0000000..c8f9ed8 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png new file mode 100644 index 0000000..a6d6b86 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png new file mode 100644 index 0000000..a6d6b86 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png new file mode 100644 index 0000000..75b2d16 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png new file mode 100644 index 0000000..c4df70d Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png new file mode 100644 index 0000000..6a84f41 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png new file mode 100644 index 0000000..d0e1f58 Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json new file mode 100644 index 0000000..0bedcf2 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json @@ -0,0 +1,23 @@ +{ + "images" : [ + { + "idiom" : "universal", + "filename" : "LaunchImage.png", + "scale" : "1x" + }, + { + "idiom" : "universal", + "filename" : "LaunchImage@2x.png", + "scale" : "2x" + }, + { + "idiom" : "universal", + "filename" : "LaunchImage@3x.png", + "scale" : "3x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png differ diff --git a/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md new file mode 100644 index 0000000..89c2725 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md @@ -0,0 +1,5 @@ +# Launch Screen Assets + +You can customize the launch screen with your own desired assets by replacing the image files in this directory. + +You can also do it by opening your Flutter project's Xcode project with `open ios/Runner.xcworkspace`, selecting `Runner/Assets.xcassets` in the Project Navigator and dropping in the desired images. \ No newline at end of file diff --git a/plugins/quick_blue/example/ios/Runner/Base.lproj/LaunchScreen.storyboard b/plugins/quick_blue/example/ios/Runner/Base.lproj/LaunchScreen.storyboard new file mode 100644 index 0000000..f2e259c --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Base.lproj/LaunchScreen.storyboard @@ -0,0 +1,37 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/ios/Runner/Base.lproj/Main.storyboard b/plugins/quick_blue/example/ios/Runner/Base.lproj/Main.storyboard new file mode 100644 index 0000000..f3c2851 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Base.lproj/Main.storyboard @@ -0,0 +1,26 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/ios/Runner/Info.plist b/plugins/quick_blue/example/ios/Runner/Info.plist new file mode 100644 index 0000000..7fe1e64 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Info.plist @@ -0,0 +1,51 @@ + + + + + CFBundleDevelopmentRegion + $(DEVELOPMENT_LANGUAGE) + CFBundleDisplayName + Quick Blue + CFBundleExecutable + $(EXECUTABLE_NAME) + CFBundleIdentifier + $(PRODUCT_BUNDLE_IDENTIFIER) + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + quick_blue_example + CFBundlePackageType + APPL + CFBundleShortVersionString + $(FLUTTER_BUILD_NAME) + CFBundleSignature + ???? + CFBundleVersion + $(FLUTTER_BUILD_NUMBER) + LSRequiresIPhoneOS + + NSBluetoothAlwaysUsageDescription + example + NSBluetoothPeripheralUsageDescription + example + UILaunchStoryboardName + LaunchScreen + UIMainStoryboardFile + Main + UISupportedInterfaceOrientations + + UIInterfaceOrientationPortrait + UIInterfaceOrientationLandscapeLeft + UIInterfaceOrientationLandscapeRight + + UISupportedInterfaceOrientations~ipad + + UIInterfaceOrientationPortrait + UIInterfaceOrientationPortraitUpsideDown + UIInterfaceOrientationLandscapeLeft + UIInterfaceOrientationLandscapeRight + + UIViewControllerBasedStatusBarAppearance + + + diff --git a/plugins/quick_blue/example/ios/Runner/Runner-Bridging-Header.h b/plugins/quick_blue/example/ios/Runner/Runner-Bridging-Header.h new file mode 100644 index 0000000..308a2a5 --- /dev/null +++ b/plugins/quick_blue/example/ios/Runner/Runner-Bridging-Header.h @@ -0,0 +1 @@ +#import "GeneratedPluginRegistrant.h" diff --git a/plugins/quick_blue/example/lib/main.dart b/plugins/quick_blue/example/lib/main.dart new file mode 100644 index 0000000..2113c17 --- /dev/null +++ b/plugins/quick_blue/example/lib/main.dart @@ -0,0 +1,136 @@ +import 'dart:async'; +import 'dart:io'; + +import 'package:flutter/foundation.dart'; +import 'package:flutter/material.dart'; +import 'package:logging/logging.dart'; +import 'package:quick_blue/quick_blue.dart'; + +import 'peripheral_detail_page.dart'; + +void main() { + runApp(const MyApp()); +} + +class MyApp extends StatefulWidget { + const MyApp({Key? key}) : super(key: key); + + @override + MyAppState createState() => MyAppState(); +} + +class MyAppState extends State { + StreamSubscription? _scanResultSubscription; + StreamSubscription? _availabilitySubscription; + + @override + void initState() { + super.initState(); + + QuickBlue.availabilityChangeStream.listen((state) { + debugPrint('Bluetooth state: ${state.toString()}'); + }); + + if (kDebugMode) { + QuickBlue.setLogger(Logger('quick_blue_example')); + } + _scanResultSubscription = QuickBlue.scanResultStream.listen((result) { + if (!_scanResults.any((r) => r.deviceId == result.deviceId)) { + setState(() => _scanResults.add(result)); + } + }); + } + + @override + void dispose() { + super.dispose(); + _scanResultSubscription?.cancel(); + _availabilitySubscription?.cancel(); + } + + @override + Widget build(BuildContext context) { + return MaterialApp( + home: Scaffold( + appBar: AppBar( + title: const Text('Plugin example app'), + ), + body: Column( + children: [ + StreamBuilder( + stream: QuickBlue.availabilityChangeStream, + builder: (context, snapshot) { + return Text('Bluetooth state: ${snapshot.data?.toString()}'); + }, + ), + FutureBuilder( + future: QuickBlue.isBluetoothAvailable(), + builder: (context, snapshot) { + var poweredOn = snapshot.data?.toString() ?? '...'; + return Text('Bluetooth powered on: $poweredOn'); + }, + ), + _buildButtons(), + const Divider(color: Colors.blue), + _buildListView(), + _buildPermissionWarning(), + ], + ), + ), + ); + } + + Widget _buildButtons() { + return Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + ElevatedButton( + child: const Text('startScan'), + onPressed: () { + QuickBlue.startScan(); + }, + ), + ElevatedButton( + child: const Text('stopScan'), + onPressed: () { + QuickBlue.stopScan(); + }, + ), + ], + ); + } + + final _scanResults = []; + + Widget _buildListView() { + return Expanded( + child: ListView.separated( + itemBuilder: (context, index) => ListTile( + title: + Text('${_scanResults[index].name}(${_scanResults[index].rssi})'), + subtitle: Text(_scanResults[index].deviceId), + onTap: () { + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => PeripheralDetailPage( + deviceId: _scanResults[index].deviceId), + )); + }, + ), + separatorBuilder: (context, index) => const Divider(), + itemCount: _scanResults.length, + ), + ); + } + + Widget _buildPermissionWarning() { + if (Platform.isAndroid) { + return Container( + margin: const EdgeInsets.symmetric(horizontal: 10), + child: const Text('BLUETOOTH_SCAN/ACCESS_FINE_LOCATION needed'), + ); + } + return Container(); + } +} diff --git a/plugins/quick_blue/example/lib/peripheral_detail_page.dart b/plugins/quick_blue/example/lib/peripheral_detail_page.dart new file mode 100644 index 0000000..55f23a7 --- /dev/null +++ b/plugins/quick_blue/example/lib/peripheral_detail_page.dart @@ -0,0 +1,162 @@ +// ignore_for_file: non_constant_identifier_names, constant_identifier_names + +import 'dart:typed_data'; + +import 'package:convert/convert.dart'; +import 'package:flutter/material.dart'; +import 'package:quick_blue/quick_blue.dart'; + +String gssUuid(String code) => '0000$code-0000-1000-8000-00805f9b34fb'; + +final gssServBattery = gssUuid('abf0'); +final gssCharBatteryLevel = gssUuid('abf2'); + +const WOODEMI_SUFFIX = 'ba5e-f4ee-5ca1-eb1e5e4b1ce0'; + +const WOODEMI_SERV__COMMAND = '57444d01-$WOODEMI_SUFFIX'; +const WOODEMI_CHAR__COMMAND_REQUEST = '57444e02-$WOODEMI_SUFFIX'; +const WOODEMI_CHAR__COMMAND_RESPONSE = WOODEMI_CHAR__COMMAND_REQUEST; + +const WOODEMI_MTU_WUART = 247; + +class PeripheralDetailPage extends StatefulWidget { + const PeripheralDetailPage({ + Key? key, + required this.deviceId, + }) : super(key: key); + + final String deviceId; + + @override + State createState() { + return _PeripheralDetailPageState(); + } +} + +class _PeripheralDetailPageState extends State { + @override + void initState() { + super.initState(); + QuickBlue.setConnectionHandler(_handleConnectionChange); + QuickBlue.setServiceHandler(_handleServiceDiscovery); + QuickBlue.setValueHandler(_handleValueChange); + } + + @override + void dispose() { + super.dispose(); + QuickBlue.setValueHandler(null); + QuickBlue.setServiceHandler(null); + QuickBlue.setConnectionHandler(null); + } + + void _handleConnectionChange(String deviceId, BlueConnectionState state) { + debugPrint('_handleConnectionChange $deviceId, $state'); + } + + void _handleServiceDiscovery(String deviceId, String serviceId, List characteristicIds) { + debugPrint('_handleServiceDiscovery $deviceId, $serviceId, $characteristicIds'); + } + + void _handleValueChange(String deviceId, String characteristicId, Uint8List value) { + debugPrint('_handleValueChange $deviceId, $characteristicId, ${hex.encode(value)}'); + } + + final serviceUUID = TextEditingController(text: WOODEMI_SERV__COMMAND); + final characteristicUUID = + TextEditingController(text: WOODEMI_CHAR__COMMAND_REQUEST); + final binaryCode = TextEditingController( + text: hex.encode([0x01, 0x0A, 0x00, 0x00, 0x00, 0x01])); + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar( + title: const Text('PeripheralDetailPage'), + ), + body: Column( + children: [ + Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + ElevatedButton( + child: const Text('connect'), + onPressed: () { + QuickBlue.connect(widget.deviceId); + }, + ), + ElevatedButton( + child: const Text('disconnect'), + onPressed: () { + QuickBlue.disconnect(widget.deviceId); + }, + ), + ], + ), + Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + ElevatedButton( + child: const Text('discoverServices'), + onPressed: () { + QuickBlue.discoverServices(widget.deviceId); + }, + ), + ], + ), + ElevatedButton( + child: const Text('setNotifiable'), + onPressed: () { + QuickBlue.setNotifiable( + widget.deviceId, WOODEMI_SERV__COMMAND, WOODEMI_CHAR__COMMAND_RESPONSE, + BleInputProperty.indication); + }, + ), + TextField( + controller: serviceUUID, + decoration: const InputDecoration( + labelText: 'ServiceUUID', + ), + ), + TextField( + controller: characteristicUUID, + decoration: const InputDecoration( + labelText: 'CharacteristicUUID', + ), + ), + TextField( + controller: binaryCode, + decoration: const InputDecoration( + labelText: 'Binary code', + ), + ), + ElevatedButton( + child: const Text('send'), + onPressed: () { + var value = Uint8List.fromList(hex.decode(binaryCode.text)); + QuickBlue.writeValue( + widget.deviceId, serviceUUID.text, characteristicUUID.text, + value, BleOutputProperty.withResponse); + }, + ), + ElevatedButton( + child: const Text('readValue battery'), + onPressed: () async { + await QuickBlue.readValue( + widget.deviceId, + gssServBattery, + gssCharBatteryLevel); + }, + ), + ElevatedButton( + child: const Text('requestMtu'), + onPressed: () async { + var mtu = await QuickBlue.requestMtu(widget.deviceId, WOODEMI_MTU_WUART); + debugPrint('requestMtu $mtu'); + }, + ), + ], + ), + ); + } +} \ No newline at end of file diff --git a/plugins/quick_blue/example/linux/.gitignore b/plugins/quick_blue/example/linux/.gitignore new file mode 100644 index 0000000..d3896c9 --- /dev/null +++ b/plugins/quick_blue/example/linux/.gitignore @@ -0,0 +1 @@ +flutter/ephemeral diff --git a/plugins/quick_blue/example/linux/CMakeLists.txt b/plugins/quick_blue/example/linux/CMakeLists.txt new file mode 100644 index 0000000..65d09d4 --- /dev/null +++ b/plugins/quick_blue/example/linux/CMakeLists.txt @@ -0,0 +1,116 @@ +cmake_minimum_required(VERSION 3.10) +project(runner LANGUAGES CXX) + +set(BINARY_NAME "quick_blue_example") +set(APPLICATION_ID "com.example.quick_blue") + +cmake_policy(SET CMP0063 NEW) + +set(CMAKE_INSTALL_RPATH "$ORIGIN/lib") + +# Root filesystem for cross-building. +if(FLUTTER_TARGET_PLATFORM_SYSROOT) + set(CMAKE_SYSROOT ${FLUTTER_TARGET_PLATFORM_SYSROOT}) + set(CMAKE_FIND_ROOT_PATH ${CMAKE_SYSROOT}) + set(CMAKE_FIND_ROOT_PATH_MODE_PROGRAM NEVER) + set(CMAKE_FIND_ROOT_PATH_MODE_PACKAGE ONLY) + set(CMAKE_FIND_ROOT_PATH_MODE_LIBRARY ONLY) + set(CMAKE_FIND_ROOT_PATH_MODE_INCLUDE ONLY) +endif() + +# Configure build options. +if(NOT CMAKE_BUILD_TYPE AND NOT CMAKE_CONFIGURATION_TYPES) + set(CMAKE_BUILD_TYPE "Debug" CACHE + STRING "Flutter build mode" FORCE) + set_property(CACHE CMAKE_BUILD_TYPE PROPERTY STRINGS + "Debug" "Profile" "Release") +endif() + +# Compilation settings that should be applied to most targets. +function(APPLY_STANDARD_SETTINGS TARGET) + target_compile_features(${TARGET} PUBLIC cxx_std_14) + target_compile_options(${TARGET} PRIVATE -Wall -Werror) + target_compile_options(${TARGET} PRIVATE "$<$>:-O3>") + target_compile_definitions(${TARGET} PRIVATE "$<$>:NDEBUG>") +endfunction() + +set(FLUTTER_MANAGED_DIR "${CMAKE_CURRENT_SOURCE_DIR}/flutter") + +# Flutter library and tool build rules. +add_subdirectory(${FLUTTER_MANAGED_DIR}) + +# System-level dependencies. +find_package(PkgConfig REQUIRED) +pkg_check_modules(GTK REQUIRED IMPORTED_TARGET gtk+-3.0) + +add_definitions(-DAPPLICATION_ID="${APPLICATION_ID}") + +# Application build +add_executable(${BINARY_NAME} + "main.cc" + "my_application.cc" + "${FLUTTER_MANAGED_DIR}/generated_plugin_registrant.cc" +) +apply_standard_settings(${BINARY_NAME}) +target_link_libraries(${BINARY_NAME} PRIVATE flutter) +target_link_libraries(${BINARY_NAME} PRIVATE PkgConfig::GTK) +add_dependencies(${BINARY_NAME} flutter_assemble) +# Only the install-generated bundle's copy of the executable will launch +# correctly, since the resources must in the right relative locations. To avoid +# people trying to run the unbundled copy, put it in a subdirectory instead of +# the default top-level location. +set_target_properties(${BINARY_NAME} + PROPERTIES + RUNTIME_OUTPUT_DIRECTORY "${CMAKE_BINARY_DIR}/intermediates_do_not_run" +) + +# Generated plugin build rules, which manage building the plugins and adding +# them to the application. +include(flutter/generated_plugins.cmake) + + +# === Installation === +# By default, "installing" just makes a relocatable bundle in the build +# directory. +set(BUILD_BUNDLE_DIR "${PROJECT_BINARY_DIR}/bundle") +if(CMAKE_INSTALL_PREFIX_INITIALIZED_TO_DEFAULT) + set(CMAKE_INSTALL_PREFIX "${BUILD_BUNDLE_DIR}" CACHE PATH "..." FORCE) +endif() + +# Start with a clean build bundle directory every time. +install(CODE " + file(REMOVE_RECURSE \"${BUILD_BUNDLE_DIR}/\") + " COMPONENT Runtime) + +set(INSTALL_BUNDLE_DATA_DIR "${CMAKE_INSTALL_PREFIX}/data") +set(INSTALL_BUNDLE_LIB_DIR "${CMAKE_INSTALL_PREFIX}/lib") + +install(TARGETS ${BINARY_NAME} RUNTIME DESTINATION "${CMAKE_INSTALL_PREFIX}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_ICU_DATA_FILE}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) + +if(PLUGIN_BUNDLED_LIBRARIES) + install(FILES "${PLUGIN_BUNDLED_LIBRARIES}" + DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endif() + +# Fully re-copy the assets directory on each build to avoid having stale files +# from a previous install. +set(FLUTTER_ASSET_DIR_NAME "flutter_assets") +install(CODE " + file(REMOVE_RECURSE \"${INSTALL_BUNDLE_DATA_DIR}/${FLUTTER_ASSET_DIR_NAME}\") + " COMPONENT Runtime) +install(DIRECTORY "${PROJECT_BUILD_DIR}/${FLUTTER_ASSET_DIR_NAME}" + DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" COMPONENT Runtime) + +# Install the AOT library on non-Debug builds only. +if(NOT CMAKE_BUILD_TYPE MATCHES "Debug") + install(FILES "${AOT_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endif() diff --git a/plugins/quick_blue/example/linux/flutter/CMakeLists.txt b/plugins/quick_blue/example/linux/flutter/CMakeLists.txt new file mode 100644 index 0000000..33fd580 --- /dev/null +++ b/plugins/quick_blue/example/linux/flutter/CMakeLists.txt @@ -0,0 +1,87 @@ +cmake_minimum_required(VERSION 3.10) + +set(EPHEMERAL_DIR "${CMAKE_CURRENT_SOURCE_DIR}/ephemeral") + +# Configuration provided via flutter tool. +include(${EPHEMERAL_DIR}/generated_config.cmake) + +# TODO: Move the rest of this into files in ephemeral. See +# https://github.com/flutter/flutter/issues/57146. + +# Serves the same purpose as list(TRANSFORM ... PREPEND ...), +# which isn't available in 3.10. +function(list_prepend LIST_NAME PREFIX) + set(NEW_LIST "") + foreach(element ${${LIST_NAME}}) + list(APPEND NEW_LIST "${PREFIX}${element}") + endforeach(element) + set(${LIST_NAME} "${NEW_LIST}" PARENT_SCOPE) +endfunction() + +# === Flutter Library === +# System-level dependencies. +find_package(PkgConfig REQUIRED) +pkg_check_modules(GTK REQUIRED IMPORTED_TARGET gtk+-3.0) +pkg_check_modules(GLIB REQUIRED IMPORTED_TARGET glib-2.0) +pkg_check_modules(GIO REQUIRED IMPORTED_TARGET gio-2.0) + +set(FLUTTER_LIBRARY "${EPHEMERAL_DIR}/libflutter_linux_gtk.so") + +# Published to parent scope for install step. +set(FLUTTER_LIBRARY ${FLUTTER_LIBRARY} PARENT_SCOPE) +set(FLUTTER_ICU_DATA_FILE "${EPHEMERAL_DIR}/icudtl.dat" PARENT_SCOPE) +set(PROJECT_BUILD_DIR "${PROJECT_DIR}/build/" PARENT_SCOPE) +set(AOT_LIBRARY "${PROJECT_DIR}/build/lib/libapp.so" PARENT_SCOPE) + +list(APPEND FLUTTER_LIBRARY_HEADERS + "fl_basic_message_channel.h" + "fl_binary_codec.h" + "fl_binary_messenger.h" + "fl_dart_project.h" + "fl_engine.h" + "fl_json_message_codec.h" + "fl_json_method_codec.h" + "fl_message_codec.h" + "fl_method_call.h" + "fl_method_channel.h" + "fl_method_codec.h" + "fl_method_response.h" + "fl_plugin_registrar.h" + "fl_plugin_registry.h" + "fl_standard_message_codec.h" + "fl_standard_method_codec.h" + "fl_string_codec.h" + "fl_value.h" + "fl_view.h" + "flutter_linux.h" +) +list_prepend(FLUTTER_LIBRARY_HEADERS "${EPHEMERAL_DIR}/flutter_linux/") +add_library(flutter INTERFACE) +target_include_directories(flutter INTERFACE + "${EPHEMERAL_DIR}" +) +target_link_libraries(flutter INTERFACE "${FLUTTER_LIBRARY}") +target_link_libraries(flutter INTERFACE + PkgConfig::GTK + PkgConfig::GLIB + PkgConfig::GIO +) +add_dependencies(flutter flutter_assemble) + +# === Flutter tool backend === +# _phony_ is a non-existent file to force this command to run every time, +# since currently there's no way to get a full input/output list from the +# flutter tool. +add_custom_command( + OUTPUT ${FLUTTER_LIBRARY} ${FLUTTER_LIBRARY_HEADERS} + ${CMAKE_CURRENT_BINARY_DIR}/_phony_ + COMMAND ${CMAKE_COMMAND} -E env + ${FLUTTER_TOOL_ENVIRONMENT} + "${FLUTTER_ROOT}/packages/flutter_tools/bin/tool_backend.sh" + ${FLUTTER_TARGET_PLATFORM} ${CMAKE_BUILD_TYPE} + VERBATIM +) +add_custom_target(flutter_assemble DEPENDS + "${FLUTTER_LIBRARY}" + ${FLUTTER_LIBRARY_HEADERS} +) diff --git a/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.cc b/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.cc new file mode 100644 index 0000000..e71a16d --- /dev/null +++ b/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.cc @@ -0,0 +1,11 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#include "generated_plugin_registrant.h" + + +void fl_register_plugins(FlPluginRegistry* registry) { +} diff --git a/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.h b/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.h new file mode 100644 index 0000000..e0f0a47 --- /dev/null +++ b/plugins/quick_blue/example/linux/flutter/generated_plugin_registrant.h @@ -0,0 +1,15 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#ifndef GENERATED_PLUGIN_REGISTRANT_ +#define GENERATED_PLUGIN_REGISTRANT_ + +#include + +// Registers Flutter plugins. +void fl_register_plugins(FlPluginRegistry* registry); + +#endif // GENERATED_PLUGIN_REGISTRANT_ diff --git a/plugins/quick_blue/example/linux/flutter/generated_plugins.cmake b/plugins/quick_blue/example/linux/flutter/generated_plugins.cmake new file mode 100644 index 0000000..2e1de87 --- /dev/null +++ b/plugins/quick_blue/example/linux/flutter/generated_plugins.cmake @@ -0,0 +1,23 @@ +# +# Generated file, do not edit. +# + +list(APPEND FLUTTER_PLUGIN_LIST +) + +list(APPEND FLUTTER_FFI_PLUGIN_LIST +) + +set(PLUGIN_BUNDLED_LIBRARIES) + +foreach(plugin ${FLUTTER_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${plugin}/linux plugins/${plugin}) + target_link_libraries(${BINARY_NAME} PRIVATE ${plugin}_plugin) + list(APPEND PLUGIN_BUNDLED_LIBRARIES $) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${plugin}_bundled_libraries}) +endforeach(plugin) + +foreach(ffi_plugin ${FLUTTER_FFI_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${ffi_plugin}/linux plugins/${ffi_plugin}) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${ffi_plugin}_bundled_libraries}) +endforeach(ffi_plugin) diff --git a/plugins/quick_blue/example/linux/main.cc b/plugins/quick_blue/example/linux/main.cc new file mode 100644 index 0000000..e7c5c54 --- /dev/null +++ b/plugins/quick_blue/example/linux/main.cc @@ -0,0 +1,6 @@ +#include "my_application.h" + +int main(int argc, char** argv) { + g_autoptr(MyApplication) app = my_application_new(); + return g_application_run(G_APPLICATION(app), argc, argv); +} diff --git a/plugins/quick_blue/example/linux/my_application.cc b/plugins/quick_blue/example/linux/my_application.cc new file mode 100644 index 0000000..725181a --- /dev/null +++ b/plugins/quick_blue/example/linux/my_application.cc @@ -0,0 +1,104 @@ +#include "my_application.h" + +#include +#ifdef GDK_WINDOWING_X11 +#include +#endif + +#include "flutter/generated_plugin_registrant.h" + +struct _MyApplication { + GtkApplication parent_instance; + char** dart_entrypoint_arguments; +}; + +G_DEFINE_TYPE(MyApplication, my_application, GTK_TYPE_APPLICATION) + +// Implements GApplication::activate. +static void my_application_activate(GApplication* application) { + MyApplication* self = MY_APPLICATION(application); + GtkWindow* window = + GTK_WINDOW(gtk_application_window_new(GTK_APPLICATION(application))); + + // Use a header bar when running in GNOME as this is the common style used + // by applications and is the setup most users will be using (e.g. Ubuntu + // desktop). + // If running on X and not using GNOME then just use a traditional title bar + // in case the window manager does more exotic layout, e.g. tiling. + // If running on Wayland assume the header bar will work (may need changing + // if future cases occur). + gboolean use_header_bar = TRUE; +#ifdef GDK_WINDOWING_X11 + GdkScreen* screen = gtk_window_get_screen(window); + if (GDK_IS_X11_SCREEN(screen)) { + const gchar* wm_name = gdk_x11_screen_get_window_manager_name(screen); + if (g_strcmp0(wm_name, "GNOME Shell") != 0) { + use_header_bar = FALSE; + } + } +#endif + if (use_header_bar) { + GtkHeaderBar* header_bar = GTK_HEADER_BAR(gtk_header_bar_new()); + gtk_widget_show(GTK_WIDGET(header_bar)); + gtk_header_bar_set_title(header_bar, "quick_blue_example"); + gtk_header_bar_set_show_close_button(header_bar, TRUE); + gtk_window_set_titlebar(window, GTK_WIDGET(header_bar)); + } else { + gtk_window_set_title(window, "quick_blue_example"); + } + + gtk_window_set_default_size(window, 1280, 720); + gtk_widget_show(GTK_WIDGET(window)); + + g_autoptr(FlDartProject) project = fl_dart_project_new(); + fl_dart_project_set_dart_entrypoint_arguments(project, self->dart_entrypoint_arguments); + + FlView* view = fl_view_new(project); + gtk_widget_show(GTK_WIDGET(view)); + gtk_container_add(GTK_CONTAINER(window), GTK_WIDGET(view)); + + fl_register_plugins(FL_PLUGIN_REGISTRY(view)); + + gtk_widget_grab_focus(GTK_WIDGET(view)); +} + +// Implements GApplication::local_command_line. +static gboolean my_application_local_command_line(GApplication* application, gchar*** arguments, int* exit_status) { + MyApplication* self = MY_APPLICATION(application); + // Strip out the first argument as it is the binary name. + self->dart_entrypoint_arguments = g_strdupv(*arguments + 1); + + g_autoptr(GError) error = nullptr; + if (!g_application_register(application, nullptr, &error)) { + g_warning("Failed to register: %s", error->message); + *exit_status = 1; + return TRUE; + } + + g_application_activate(application); + *exit_status = 0; + + return TRUE; +} + +// Implements GObject::dispose. +static void my_application_dispose(GObject* object) { + MyApplication* self = MY_APPLICATION(object); + g_clear_pointer(&self->dart_entrypoint_arguments, g_strfreev); + G_OBJECT_CLASS(my_application_parent_class)->dispose(object); +} + +static void my_application_class_init(MyApplicationClass* klass) { + G_APPLICATION_CLASS(klass)->activate = my_application_activate; + G_APPLICATION_CLASS(klass)->local_command_line = my_application_local_command_line; + G_OBJECT_CLASS(klass)->dispose = my_application_dispose; +} + +static void my_application_init(MyApplication* self) {} + +MyApplication* my_application_new() { + return MY_APPLICATION(g_object_new(my_application_get_type(), + "application-id", APPLICATION_ID, + "flags", G_APPLICATION_NON_UNIQUE, + nullptr)); +} diff --git a/plugins/quick_blue/example/linux/my_application.h b/plugins/quick_blue/example/linux/my_application.h new file mode 100644 index 0000000..72271d5 --- /dev/null +++ b/plugins/quick_blue/example/linux/my_application.h @@ -0,0 +1,18 @@ +#ifndef FLUTTER_MY_APPLICATION_H_ +#define FLUTTER_MY_APPLICATION_H_ + +#include + +G_DECLARE_FINAL_TYPE(MyApplication, my_application, MY, APPLICATION, + GtkApplication) + +/** + * my_application_new: + * + * Creates a new Flutter-based application. + * + * Returns: a new #MyApplication. + */ +MyApplication* my_application_new(); + +#endif // FLUTTER_MY_APPLICATION_H_ diff --git a/plugins/quick_blue/example/macos/.gitignore b/plugins/quick_blue/example/macos/.gitignore new file mode 100644 index 0000000..746adbb --- /dev/null +++ b/plugins/quick_blue/example/macos/.gitignore @@ -0,0 +1,7 @@ +# Flutter-related +**/Flutter/ephemeral/ +**/Pods/ + +# Xcode-related +**/dgph +**/xcuserdata/ diff --git a/plugins/quick_blue/example/macos/Flutter/Flutter-Debug.xcconfig b/plugins/quick_blue/example/macos/Flutter/Flutter-Debug.xcconfig new file mode 100644 index 0000000..4b81f9b --- /dev/null +++ b/plugins/quick_blue/example/macos/Flutter/Flutter-Debug.xcconfig @@ -0,0 +1,2 @@ +#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.debug.xcconfig" +#include "ephemeral/Flutter-Generated.xcconfig" diff --git a/plugins/quick_blue/example/macos/Flutter/Flutter-Release.xcconfig b/plugins/quick_blue/example/macos/Flutter/Flutter-Release.xcconfig new file mode 100644 index 0000000..5caa9d1 --- /dev/null +++ b/plugins/quick_blue/example/macos/Flutter/Flutter-Release.xcconfig @@ -0,0 +1,2 @@ +#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.release.xcconfig" +#include "ephemeral/Flutter-Generated.xcconfig" diff --git a/plugins/quick_blue/example/macos/Flutter/GeneratedPluginRegistrant.swift b/plugins/quick_blue/example/macos/Flutter/GeneratedPluginRegistrant.swift new file mode 100644 index 0000000..b3fbe4a --- /dev/null +++ b/plugins/quick_blue/example/macos/Flutter/GeneratedPluginRegistrant.swift @@ -0,0 +1,12 @@ +// +// Generated file. Do not edit. +// + +import FlutterMacOS +import Foundation + +import quick_blue + +func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) { + QuickBluePlugin.register(with: registry.registrar(forPlugin: "QuickBluePlugin")) +} diff --git a/plugins/quick_blue/example/macos/Podfile b/plugins/quick_blue/example/macos/Podfile new file mode 100644 index 0000000..22d9caa --- /dev/null +++ b/plugins/quick_blue/example/macos/Podfile @@ -0,0 +1,40 @@ +platform :osx, '10.12' + +# CocoaPods analytics sends network stats synchronously affecting flutter build latency. +ENV['COCOAPODS_DISABLE_STATS'] = 'true' + +project 'Runner', { + 'Debug' => :debug, + 'Profile' => :release, + 'Release' => :release, +} + +def flutter_root + generated_xcode_build_settings_path = File.expand_path(File.join('..', 'Flutter', 'ephemeral', 'Flutter-Generated.xcconfig'), __FILE__) + unless File.exist?(generated_xcode_build_settings_path) + raise "#{generated_xcode_build_settings_path} must exist. If you're running pod install manually, make sure \"flutter pub get\" is executed first" + end + + File.foreach(generated_xcode_build_settings_path) do |line| + matches = line.match(/FLUTTER_ROOT\=(.*)/) + return matches[1].strip if matches + end + raise "FLUTTER_ROOT not found in #{generated_xcode_build_settings_path}. Try deleting Flutter-Generated.xcconfig, then run \"flutter pub get\"" +end + +require File.expand_path(File.join('packages', 'flutter_tools', 'bin', 'podhelper'), flutter_root) + +flutter_macos_podfile_setup + +target 'Runner' do + use_frameworks! + use_modular_headers! + + flutter_install_all_macos_pods File.dirname(File.realpath(__FILE__)) +end + +post_install do |installer| + installer.pods_project.targets.each do |target| + flutter_additional_macos_build_settings(target) + end +end diff --git a/plugins/quick_blue/example/macos/Runner.xcodeproj/project.pbxproj b/plugins/quick_blue/example/macos/Runner.xcodeproj/project.pbxproj new file mode 100644 index 0000000..f4ebd5f --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner.xcodeproj/project.pbxproj @@ -0,0 +1,631 @@ +// !$*UTF8*$! +{ + archiveVersion = 1; + classes = { + }; + objectVersion = 51; + objects = { + +/* Begin PBXAggregateTarget section */ + 33CC111A2044C6BA0003C045 /* Flutter Assemble */ = { + isa = PBXAggregateTarget; + buildConfigurationList = 33CC111B2044C6BA0003C045 /* Build configuration list for PBXAggregateTarget "Flutter Assemble" */; + buildPhases = ( + 33CC111E2044C6BF0003C045 /* ShellScript */, + ); + dependencies = ( + ); + name = "Flutter Assemble"; + productName = FLX; + }; +/* End PBXAggregateTarget section */ + +/* Begin PBXBuildFile section */ + 174B45867B8C6232D51CD01B /* Pods_Runner.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 5EA6BEB30F889954A42441D7 /* Pods_Runner.framework */; }; + 335BBD1B22A9A15E00E9071D /* GeneratedPluginRegistrant.swift in Sources */ = {isa = PBXBuildFile; fileRef = 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */; }; + 33CC10F12044A3C60003C045 /* AppDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 33CC10F02044A3C60003C045 /* AppDelegate.swift */; }; + 33CC10F32044A3C60003C045 /* Assets.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 33CC10F22044A3C60003C045 /* Assets.xcassets */; }; + 33CC10F62044A3C60003C045 /* MainMenu.xib in Resources */ = {isa = PBXBuildFile; fileRef = 33CC10F42044A3C60003C045 /* MainMenu.xib */; }; + 33CC11132044BFA00003C045 /* MainFlutterWindow.swift in Sources */ = {isa = PBXBuildFile; fileRef = 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */; }; +/* End PBXBuildFile section */ + +/* Begin PBXContainerItemProxy section */ + 33CC111F2044C79F0003C045 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = 33CC10E52044A3C60003C045 /* Project object */; + proxyType = 1; + remoteGlobalIDString = 33CC111A2044C6BA0003C045; + remoteInfo = FLX; + }; +/* End PBXContainerItemProxy section */ + +/* Begin PBXCopyFilesBuildPhase section */ + 33CC110E2044A8840003C045 /* Bundle Framework */ = { + isa = PBXCopyFilesBuildPhase; + buildActionMask = 2147483647; + dstPath = ""; + dstSubfolderSpec = 10; + files = ( + ); + name = "Bundle Framework"; + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXCopyFilesBuildPhase section */ + +/* Begin PBXFileReference section */ + 199259A709E2C03102541E25 /* Pods-Runner.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-Runner.debug.xcconfig"; path = "Target Support Files/Pods-Runner/Pods-Runner.debug.xcconfig"; sourceTree = ""; }; + 333000ED22D3DE5D00554162 /* Warnings.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = Warnings.xcconfig; sourceTree = ""; }; + 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = GeneratedPluginRegistrant.swift; sourceTree = ""; }; + 33CC10ED2044A3C60003C045 /* quick_blue_example.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = quick_blue_example.app; sourceTree = BUILT_PRODUCTS_DIR; }; + 33CC10F02044A3C60003C045 /* AppDelegate.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AppDelegate.swift; sourceTree = ""; }; + 33CC10F22044A3C60003C045 /* Assets.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; name = Assets.xcassets; path = Runner/Assets.xcassets; sourceTree = ""; }; + 33CC10F52044A3C60003C045 /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.xib; name = Base; path = Base.lproj/MainMenu.xib; sourceTree = ""; }; + 33CC10F72044A3C60003C045 /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; name = Info.plist; path = Runner/Info.plist; sourceTree = ""; }; + 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = MainFlutterWindow.swift; sourceTree = ""; }; + 33CEB47222A05771004F2AC0 /* Flutter-Debug.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = "Flutter-Debug.xcconfig"; sourceTree = ""; }; + 33CEB47422A05771004F2AC0 /* Flutter-Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = "Flutter-Release.xcconfig"; sourceTree = ""; }; + 33CEB47722A0578A004F2AC0 /* Flutter-Generated.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = "Flutter-Generated.xcconfig"; path = "ephemeral/Flutter-Generated.xcconfig"; sourceTree = ""; }; + 33E51913231747F40026EE4D /* DebugProfile.entitlements */ = {isa = PBXFileReference; lastKnownFileType = text.plist.entitlements; path = DebugProfile.entitlements; sourceTree = ""; }; + 33E51914231749380026EE4D /* Release.entitlements */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.entitlements; path = Release.entitlements; sourceTree = ""; }; + 33E5194F232828860026EE4D /* AppInfo.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = AppInfo.xcconfig; sourceTree = ""; }; + 5524A22924BC8F4339D68BBD /* Pods-Runner.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-Runner.release.xcconfig"; path = "Target Support Files/Pods-Runner/Pods-Runner.release.xcconfig"; sourceTree = ""; }; + 5EA6BEB30F889954A42441D7 /* Pods_Runner.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_Runner.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 6B6052257023E30534DC05D6 /* 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 = ""; }; + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = Release.xcconfig; sourceTree = ""; }; + 9740EEB21CF90195004384FC /* Debug.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; path = Debug.xcconfig; sourceTree = ""; }; +/* End PBXFileReference section */ + +/* Begin PBXFrameworksBuildPhase section */ + 33CC10EA2044A3C60003C045 /* Frameworks */ = { + isa = PBXFrameworksBuildPhase; + buildActionMask = 2147483647; + files = ( + 174B45867B8C6232D51CD01B /* Pods_Runner.framework in Frameworks */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXFrameworksBuildPhase section */ + +/* Begin PBXGroup section */ + 33BA886A226E78AF003329D5 /* Configs */ = { + isa = PBXGroup; + children = ( + 33E5194F232828860026EE4D /* AppInfo.xcconfig */, + 9740EEB21CF90195004384FC /* Debug.xcconfig */, + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */, + 333000ED22D3DE5D00554162 /* Warnings.xcconfig */, + ); + path = Configs; + sourceTree = ""; + }; + 33CC10E42044A3C60003C045 = { + isa = PBXGroup; + children = ( + 33FAB671232836740065AC1E /* Runner */, + 33CEB47122A05771004F2AC0 /* Flutter */, + 33CC10EE2044A3C60003C045 /* Products */, + D73912EC22F37F3D000D13A0 /* Frameworks */, + 35877A8DFFE8BC2EADF0E6D6 /* Pods */, + ); + sourceTree = ""; + }; + 33CC10EE2044A3C60003C045 /* Products */ = { + isa = PBXGroup; + children = ( + 33CC10ED2044A3C60003C045 /* quick_blue_example.app */, + ); + name = Products; + sourceTree = ""; + }; + 33CC11242044D66E0003C045 /* Resources */ = { + isa = PBXGroup; + children = ( + 33CC10F22044A3C60003C045 /* Assets.xcassets */, + 33CC10F42044A3C60003C045 /* MainMenu.xib */, + 33CC10F72044A3C60003C045 /* Info.plist */, + ); + name = Resources; + path = ..; + sourceTree = ""; + }; + 33CEB47122A05771004F2AC0 /* Flutter */ = { + isa = PBXGroup; + children = ( + 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */, + 33CEB47222A05771004F2AC0 /* Flutter-Debug.xcconfig */, + 33CEB47422A05771004F2AC0 /* Flutter-Release.xcconfig */, + 33CEB47722A0578A004F2AC0 /* Flutter-Generated.xcconfig */, + ); + path = Flutter; + sourceTree = ""; + }; + 33FAB671232836740065AC1E /* Runner */ = { + isa = PBXGroup; + children = ( + 33CC10F02044A3C60003C045 /* AppDelegate.swift */, + 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */, + 33E51913231747F40026EE4D /* DebugProfile.entitlements */, + 33E51914231749380026EE4D /* Release.entitlements */, + 33CC11242044D66E0003C045 /* Resources */, + 33BA886A226E78AF003329D5 /* Configs */, + ); + path = Runner; + sourceTree = ""; + }; + 35877A8DFFE8BC2EADF0E6D6 /* Pods */ = { + isa = PBXGroup; + children = ( + 199259A709E2C03102541E25 /* Pods-Runner.debug.xcconfig */, + 5524A22924BC8F4339D68BBD /* Pods-Runner.release.xcconfig */, + 6B6052257023E30534DC05D6 /* Pods-Runner.profile.xcconfig */, + ); + path = Pods; + sourceTree = ""; + }; + D73912EC22F37F3D000D13A0 /* Frameworks */ = { + isa = PBXGroup; + children = ( + 5EA6BEB30F889954A42441D7 /* Pods_Runner.framework */, + ); + name = Frameworks; + sourceTree = ""; + }; +/* End PBXGroup section */ + +/* Begin PBXNativeTarget section */ + 33CC10EC2044A3C60003C045 /* Runner */ = { + isa = PBXNativeTarget; + buildConfigurationList = 33CC10FB2044A3C60003C045 /* Build configuration list for PBXNativeTarget "Runner" */; + buildPhases = ( + 8C84170FC0C3290E153BE9F1 /* [CP] Check Pods Manifest.lock */, + 33CC10E92044A3C60003C045 /* Sources */, + 33CC10EA2044A3C60003C045 /* Frameworks */, + 33CC10EB2044A3C60003C045 /* Resources */, + 33CC110E2044A8840003C045 /* Bundle Framework */, + 3399D490228B24CF009A79C7 /* ShellScript */, + 4D12E983D06A164BEC69F374 /* [CP] Embed Pods Frameworks */, + ); + buildRules = ( + ); + dependencies = ( + 33CC11202044C79F0003C045 /* PBXTargetDependency */, + ); + name = Runner; + productName = Runner; + productReference = 33CC10ED2044A3C60003C045 /* quick_blue_example.app */; + productType = "com.apple.product-type.application"; + }; +/* End PBXNativeTarget section */ + +/* Begin PBXProject section */ + 33CC10E52044A3C60003C045 /* Project object */ = { + isa = PBXProject; + attributes = { + LastSwiftUpdateCheck = 0920; + LastUpgradeCheck = 1300; + ORGANIZATIONNAME = ""; + TargetAttributes = { + 33CC10EC2044A3C60003C045 = { + CreatedOnToolsVersion = 9.2; + LastSwiftMigration = 1100; + ProvisioningStyle = Automatic; + SystemCapabilities = { + com.apple.Sandbox = { + enabled = 1; + }; + }; + }; + 33CC111A2044C6BA0003C045 = { + CreatedOnToolsVersion = 9.2; + ProvisioningStyle = Manual; + }; + }; + }; + buildConfigurationList = 33CC10E82044A3C60003C045 /* Build configuration list for PBXProject "Runner" */; + compatibilityVersion = "Xcode 9.3"; + developmentRegion = en; + hasScannedForEncodings = 0; + knownRegions = ( + en, + Base, + ); + mainGroup = 33CC10E42044A3C60003C045; + productRefGroup = 33CC10EE2044A3C60003C045 /* Products */; + projectDirPath = ""; + projectRoot = ""; + targets = ( + 33CC10EC2044A3C60003C045 /* Runner */, + 33CC111A2044C6BA0003C045 /* Flutter Assemble */, + ); + }; +/* End PBXProject section */ + +/* Begin PBXResourcesBuildPhase section */ + 33CC10EB2044A3C60003C045 /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 33CC10F32044A3C60003C045 /* Assets.xcassets in Resources */, + 33CC10F62044A3C60003C045 /* MainMenu.xib in Resources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXResourcesBuildPhase section */ + +/* Begin PBXShellScriptBuildPhase section */ + 3399D490228B24CF009A79C7 /* ShellScript */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + ); + inputPaths = ( + ); + outputFileListPaths = ( + ); + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "echo \"$PRODUCT_NAME.app\" > \"$PROJECT_DIR\"/Flutter/ephemeral/.app_filename && \"$FLUTTER_ROOT\"/packages/flutter_tools/bin/macos_assemble.sh embed\n"; + }; + 33CC111E2044C6BF0003C045 /* ShellScript */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + Flutter/ephemeral/FlutterInputs.xcfilelist, + ); + inputPaths = ( + Flutter/ephemeral/tripwire, + ); + outputFileListPaths = ( + Flutter/ephemeral/FlutterOutputs.xcfilelist, + ); + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "\"$FLUTTER_ROOT\"/packages/flutter_tools/bin/macos_assemble.sh && touch Flutter/ephemeral/tripwire"; + }; + 4D12E983D06A164BEC69F374 /* [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; + }; + 8C84170FC0C3290E153BE9F1 /* [CP] Check Pods Manifest.lock */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + ); + inputPaths = ( + "${PODS_PODFILE_DIR_PATH}/Podfile.lock", + "${PODS_ROOT}/Manifest.lock", + ); + name = "[CP] Check Pods Manifest.lock"; + outputFileListPaths = ( + ); + outputPaths = ( + "$(DERIVED_FILE_DIR)/Pods-Runner-checkManifestLockResult.txt", + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "diff \"${PODS_PODFILE_DIR_PATH}/Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n# This output is used by Xcode 'outputs' to avoid re-running this script phase.\necho \"SUCCESS\" > \"${SCRIPT_OUTPUT_FILE_0}\"\n"; + showEnvVarsInLog = 0; + }; +/* End PBXShellScriptBuildPhase section */ + +/* Begin PBXSourcesBuildPhase section */ + 33CC10E92044A3C60003C045 /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 33CC11132044BFA00003C045 /* MainFlutterWindow.swift in Sources */, + 33CC10F12044A3C60003C045 /* AppDelegate.swift in Sources */, + 335BBD1B22A9A15E00E9071D /* GeneratedPluginRegistrant.swift in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXSourcesBuildPhase section */ + +/* Begin PBXTargetDependency section */ + 33CC11202044C79F0003C045 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + target = 33CC111A2044C6BA0003C045 /* Flutter Assemble */; + targetProxy = 33CC111F2044C79F0003C045 /* PBXContainerItemProxy */; + }; +/* End PBXTargetDependency section */ + +/* Begin PBXVariantGroup section */ + 33CC10F42044A3C60003C045 /* MainMenu.xib */ = { + isa = PBXVariantGroup; + children = ( + 33CC10F52044A3C60003C045 /* Base */, + ); + name = MainMenu.xib; + path = Runner; + sourceTree = ""; + }; +/* End PBXVariantGroup section */ + +/* Begin XCBuildConfiguration section */ + 338D0CE9231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.12; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = macosx; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + }; + name = Profile; + }; + 338D0CEA231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/DebugProfile.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_VERSION = 5.0; + }; + name = Profile; + }; + 338D0CEB231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Manual; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Profile; + }; + 33CC10F92044A3C60003C045 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 9740EEB21CF90195004384FC /* Debug.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = dwarf; + ENABLE_STRICT_OBJC_MSGSEND = YES; + ENABLE_TESTABILITY = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_DYNAMIC_NO_PIC = NO; + GCC_NO_COMMON_BLOCKS = YES; + GCC_OPTIMIZATION_LEVEL = 0; + GCC_PREPROCESSOR_DEFINITIONS = ( + "DEBUG=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.12; + MTL_ENABLE_DEBUG_INFO = YES; + ONLY_ACTIVE_ARCH = YES; + SDKROOT = macosx; + SWIFT_ACTIVE_COMPILATION_CONDITIONS = DEBUG; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + }; + name = Debug; + }; + 33CC10FA2044A3C60003C045 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.12; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = macosx; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + }; + name = Release; + }; + 33CC10FC2044A3C60003C045 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/DebugProfile.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 5.0; + }; + name = Debug; + }; + 33CC10FD2044A3C60003C045 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/Release.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_VERSION = 5.0; + }; + name = Release; + }; + 33CC111C2044C6BA0003C045 /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Manual; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Debug; + }; + 33CC111D2044C6BA0003C045 /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Automatic; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Release; + }; +/* End XCBuildConfiguration section */ + +/* Begin XCConfigurationList section */ + 33CC10E82044A3C60003C045 /* Build configuration list for PBXProject "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC10F92044A3C60003C045 /* Debug */, + 33CC10FA2044A3C60003C045 /* Release */, + 338D0CE9231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 33CC10FB2044A3C60003C045 /* Build configuration list for PBXNativeTarget "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC10FC2044A3C60003C045 /* Debug */, + 33CC10FD2044A3C60003C045 /* Release */, + 338D0CEA231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 33CC111B2044C6BA0003C045 /* Build configuration list for PBXAggregateTarget "Flutter Assemble" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC111C2044C6BA0003C045 /* Debug */, + 33CC111D2044C6BA0003C045 /* Release */, + 338D0CEB231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; +/* End XCConfigurationList section */ + }; + rootObject = 33CC10E52044A3C60003C045 /* Project object */; +} diff --git a/plugins/quick_blue/example/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/plugins/quick_blue/example/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/plugins/quick_blue/example/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/plugins/quick_blue/example/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme new file mode 100644 index 0000000..423559c --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme @@ -0,0 +1,87 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/macos/Runner.xcworkspace/contents.xcworkspacedata b/plugins/quick_blue/example/macos/Runner.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..21a3cc1 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,10 @@ + + + + + + + diff --git a/plugins/quick_blue/example/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/plugins/quick_blue/example/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/plugins/quick_blue/example/macos/Runner/AppDelegate.swift b/plugins/quick_blue/example/macos/Runner/AppDelegate.swift new file mode 100644 index 0000000..d53ef64 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/AppDelegate.swift @@ -0,0 +1,9 @@ +import Cocoa +import FlutterMacOS + +@NSApplicationMain +class AppDelegate: FlutterAppDelegate { + override func applicationShouldTerminateAfterLastWindowClosed(_ sender: NSApplication) -> Bool { + return true + } +} diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json new file mode 100644 index 0000000..a2ec33f --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json @@ -0,0 +1,68 @@ +{ + "images" : [ + { + "size" : "16x16", + "idiom" : "mac", + "filename" : "app_icon_16.png", + "scale" : "1x" + }, + { + "size" : "16x16", + "idiom" : "mac", + "filename" : "app_icon_32.png", + "scale" : "2x" + }, + { + "size" : "32x32", + "idiom" : "mac", + "filename" : "app_icon_32.png", + "scale" : "1x" + }, + { + "size" : "32x32", + "idiom" : "mac", + "filename" : "app_icon_64.png", + "scale" : "2x" + }, + { + "size" : "128x128", + "idiom" : "mac", + "filename" : "app_icon_128.png", + "scale" : "1x" + }, + { + "size" : "128x128", + "idiom" : "mac", + "filename" : "app_icon_256.png", + "scale" : "2x" + }, + { + "size" : "256x256", + "idiom" : "mac", + "filename" : "app_icon_256.png", + "scale" : "1x" + }, + { + "size" : "256x256", + "idiom" : "mac", + "filename" : "app_icon_512.png", + "scale" : "2x" + }, + { + "size" : "512x512", + "idiom" : "mac", + "filename" : "app_icon_512.png", + "scale" : "1x" + }, + { + "size" : "512x512", + "idiom" : "mac", + "filename" : "app_icon_1024.png", + "scale" : "2x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png new file mode 100644 index 0000000..3c4935a Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png new file mode 100644 index 0000000..ed4cc16 Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png new file mode 100644 index 0000000..483be61 Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png new file mode 100644 index 0000000..bcbf36d Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png new file mode 100644 index 0000000..9c0a652 Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png new file mode 100644 index 0000000..e71a726 Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png new file mode 100644 index 0000000..8a31fe2 Binary files /dev/null and b/plugins/quick_blue/example/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png differ diff --git a/plugins/quick_blue/example/macos/Runner/Base.lproj/MainMenu.xib b/plugins/quick_blue/example/macos/Runner/Base.lproj/MainMenu.xib new file mode 100644 index 0000000..537341a --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Base.lproj/MainMenu.xib @@ -0,0 +1,339 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/macos/Runner/Configs/AppInfo.xcconfig b/plugins/quick_blue/example/macos/Runner/Configs/AppInfo.xcconfig new file mode 100644 index 0000000..b3401d1 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Configs/AppInfo.xcconfig @@ -0,0 +1,14 @@ +// Application-level settings for the Runner target. +// +// This may be replaced with something auto-generated from metadata (e.g., pubspec.yaml) in the +// future. If not, the values below would default to using the project name when this becomes a +// 'flutter create' template. + +// The application's name. By default this is also the title of the Flutter window. +PRODUCT_NAME = quick_blue_example + +// The application's bundle identifier +PRODUCT_BUNDLE_IDENTIFIER = com.example.quickBlueExample + +// The copyright displayed in application information +PRODUCT_COPYRIGHT = Copyright © 2022 com.example. All rights reserved. diff --git a/plugins/quick_blue/example/macos/Runner/Configs/Debug.xcconfig b/plugins/quick_blue/example/macos/Runner/Configs/Debug.xcconfig new file mode 100644 index 0000000..36b0fd9 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Configs/Debug.xcconfig @@ -0,0 +1,2 @@ +#include "../../Flutter/Flutter-Debug.xcconfig" +#include "Warnings.xcconfig" diff --git a/plugins/quick_blue/example/macos/Runner/Configs/Release.xcconfig b/plugins/quick_blue/example/macos/Runner/Configs/Release.xcconfig new file mode 100644 index 0000000..dff4f49 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Configs/Release.xcconfig @@ -0,0 +1,2 @@ +#include "../../Flutter/Flutter-Release.xcconfig" +#include "Warnings.xcconfig" diff --git a/plugins/quick_blue/example/macos/Runner/Configs/Warnings.xcconfig b/plugins/quick_blue/example/macos/Runner/Configs/Warnings.xcconfig new file mode 100644 index 0000000..42bcbf4 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Configs/Warnings.xcconfig @@ -0,0 +1,13 @@ +WARNING_CFLAGS = -Wall -Wconditional-uninitialized -Wnullable-to-nonnull-conversion -Wmissing-method-return-type -Woverlength-strings +GCC_WARN_UNDECLARED_SELECTOR = YES +CLANG_UNDEFINED_BEHAVIOR_SANITIZER_NULLABILITY = YES +CLANG_WARN_UNGUARDED_AVAILABILITY = YES_AGGRESSIVE +CLANG_WARN__DUPLICATE_METHOD_MATCH = YES +CLANG_WARN_PRAGMA_PACK = YES +CLANG_WARN_STRICT_PROTOTYPES = YES +CLANG_WARN_COMMA = YES +GCC_WARN_STRICT_SELECTOR_MATCH = YES +CLANG_WARN_OBJC_REPEATED_USE_OF_WEAK = YES +CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES +GCC_WARN_SHADOW = YES +CLANG_WARN_UNREACHABLE_CODE = YES diff --git a/plugins/quick_blue/example/macos/Runner/DebugProfile.entitlements b/plugins/quick_blue/example/macos/Runner/DebugProfile.entitlements new file mode 100644 index 0000000..14a39b7 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/DebugProfile.entitlements @@ -0,0 +1,14 @@ + + + + + com.apple.security.app-sandbox + + com.apple.security.cs.allow-jit + + com.apple.security.device.bluetooth + + com.apple.security.network.server + + + diff --git a/plugins/quick_blue/example/macos/Runner/Info.plist b/plugins/quick_blue/example/macos/Runner/Info.plist new file mode 100644 index 0000000..cb8e9d5 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Info.plist @@ -0,0 +1,36 @@ + + + + + CFBundleDevelopmentRegion + $(DEVELOPMENT_LANGUAGE) + CFBundleExecutable + $(EXECUTABLE_NAME) + CFBundleIconFile + + CFBundleIdentifier + $(PRODUCT_BUNDLE_IDENTIFIER) + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + $(PRODUCT_NAME) + CFBundlePackageType + APPL + CFBundleShortVersionString + $(FLUTTER_BUILD_NAME) + CFBundleVersion + $(FLUTTER_BUILD_NUMBER) + LSMinimumSystemVersion + $(MACOSX_DEPLOYMENT_TARGET) + NSBluetoothPeripheralUsageDescription + example + NSBluetoothAlwaysUsageDescription + example + NSHumanReadableCopyright + $(PRODUCT_COPYRIGHT) + NSMainNibFile + MainMenu + NSPrincipalClass + NSApplication + + diff --git a/plugins/quick_blue/example/macos/Runner/MainFlutterWindow.swift b/plugins/quick_blue/example/macos/Runner/MainFlutterWindow.swift new file mode 100644 index 0000000..2722837 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/MainFlutterWindow.swift @@ -0,0 +1,15 @@ +import Cocoa +import FlutterMacOS + +class MainFlutterWindow: NSWindow { + override func awakeFromNib() { + let flutterViewController = FlutterViewController.init() + let windowFrame = self.frame + self.contentViewController = flutterViewController + self.setFrame(windowFrame, display: true) + + RegisterGeneratedPlugins(registry: flutterViewController) + + super.awakeFromNib() + } +} diff --git a/plugins/quick_blue/example/macos/Runner/Release.entitlements b/plugins/quick_blue/example/macos/Runner/Release.entitlements new file mode 100644 index 0000000..c269f52 --- /dev/null +++ b/plugins/quick_blue/example/macos/Runner/Release.entitlements @@ -0,0 +1,10 @@ + + + + + com.apple.security.app-sandbox + + com.apple.security.device.bluetooth + + + diff --git a/plugins/quick_blue/example/pubspec.lock b/plugins/quick_blue/example/pubspec.lock new file mode 100644 index 0000000..5dd3556 --- /dev/null +++ b/plugins/quick_blue/example/pubspec.lock @@ -0,0 +1,300 @@ +# Generated by pub +# See https://dart.dev/tools/pub/glossary#lockfile +packages: + args: + dependency: transitive + description: + name: args + sha256: "7cf60b9f0cc88203c5a190b4cd62a99feea42759a7fa695010eb5de1c0b2252a" + url: "https://pub.dev" + source: hosted + version: "2.5.0" + async: + dependency: transitive + description: + name: async + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" + url: "https://pub.dev" + source: hosted + version: "2.11.0" + bluez: + dependency: transitive + description: + name: bluez + sha256: "203a1924e818a9dd74af2b2c7a8f375ab8e5edf0e486bba8f90a0d8a17ed9fce" + url: "https://pub.dev" + source: hosted + version: "0.8.2" + boolean_selector: + dependency: transitive + description: + name: boolean_selector + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + characters: + dependency: transitive + description: + name: characters + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" + url: "https://pub.dev" + source: hosted + version: "1.3.0" + clock: + dependency: transitive + description: + name: clock + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf + url: "https://pub.dev" + source: hosted + version: "1.1.1" + collection: + dependency: transitive + description: + name: collection + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + url: "https://pub.dev" + source: hosted + version: "1.18.0" + convert: + dependency: "direct main" + description: + name: convert + sha256: "0f08b14755d163f6e2134cb58222dd25ea2a2ee8a195e53983d57c075324d592" + url: "https://pub.dev" + source: hosted + version: "3.1.1" + cupertino_icons: + dependency: "direct main" + description: + name: cupertino_icons + sha256: ba631d1c7f7bef6b729a622b7b752645a2d076dba9976925b8f25725a30e1ee6 + url: "https://pub.dev" + source: hosted + version: "1.0.8" + dbus: + dependency: transitive + description: + name: dbus + sha256: "365c771ac3b0e58845f39ec6deebc76e3276aa9922b0cc60840712094d9047ac" + url: "https://pub.dev" + source: hosted + version: "0.7.10" + fake_async: + dependency: transitive + description: + name: fake_async + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" + url: "https://pub.dev" + source: hosted + version: "1.3.1" + ffi: + dependency: transitive + description: + name: ffi + sha256: "493f37e7df1804778ff3a53bd691d8692ddf69702cf4c1c1096a2e41b4779e21" + url: "https://pub.dev" + source: hosted + version: "2.1.2" + flutter: + dependency: "direct main" + description: flutter + source: sdk + version: "0.0.0" + flutter_lints: + dependency: "direct dev" + description: + name: flutter_lints + sha256: a25a15ebbdfc33ab1cd26c63a6ee519df92338a9c10f122adda92938253bef04 + url: "https://pub.dev" + source: hosted + version: "2.0.3" + flutter_test: + dependency: "direct dev" + description: flutter + source: sdk + version: "0.0.0" + leak_tracker: + dependency: transitive + description: + name: leak_tracker + sha256: "7f0df31977cb2c0b88585095d168e689669a2cc9b97c309665e3386f3e9d341a" + url: "https://pub.dev" + source: hosted + version: "10.0.4" + leak_tracker_flutter_testing: + dependency: transitive + description: + name: leak_tracker_flutter_testing + sha256: "06e98f569d004c1315b991ded39924b21af84cf14cc94791b8aea337d25b57f8" + url: "https://pub.dev" + source: hosted + version: "3.0.3" + leak_tracker_testing: + dependency: transitive + description: + name: leak_tracker_testing + sha256: "6ba465d5d76e67ddf503e1161d1f4a6bc42306f9d66ca1e8f079a47290fb06d3" + url: "https://pub.dev" + source: hosted + version: "3.0.1" + lints: + dependency: transitive + description: + name: lints + sha256: "0a217c6c989d21039f1498c3ed9f3ed71b354e69873f13a8dfc3c9fe76f1b452" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + logging: + dependency: "direct main" + description: + name: logging + sha256: "623a88c9594aa774443aa3eb2d41807a48486b5613e67599fb4c41c0ad47c340" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + matcher: + dependency: transitive + description: + name: matcher + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb + url: "https://pub.dev" + source: hosted + version: "0.12.16+1" + material_color_utilities: + dependency: transitive + description: + name: material_color_utilities + sha256: "0e0a020085b65b6083975e499759762399b4475f766c21668c4ecca34ea74e5a" + url: "https://pub.dev" + source: hosted + version: "0.8.0" + meta: + dependency: transitive + description: + name: meta + sha256: "7687075e408b093f36e6bbf6c91878cc0d4cd10f409506f7bc996f68220b9136" + url: "https://pub.dev" + source: hosted + version: "1.12.0" + path: + dependency: transitive + description: + name: path + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" + url: "https://pub.dev" + source: hosted + version: "1.9.0" + petitparser: + dependency: transitive + description: + name: petitparser + sha256: c15605cd28af66339f8eb6fbe0e541bfe2d1b72d5825efc6598f3e0a31b9ad27 + url: "https://pub.dev" + source: hosted + version: "6.0.2" + plugin_platform_interface: + dependency: transitive + description: + name: plugin_platform_interface + sha256: "4820fbfdb9478b1ebae27888254d445073732dae3d6ea81f0b7e06d5dedc3f02" + url: "https://pub.dev" + source: hosted + version: "2.1.8" + quick_blue: + dependency: "direct main" + description: + path: ".." + relative: true + source: path + version: "0.0.1" + sky_engine: + dependency: transitive + description: flutter + source: sdk + version: "0.0.99" + source_span: + dependency: transitive + description: + name: source_span + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" + url: "https://pub.dev" + source: hosted + version: "1.10.0" + stack_trace: + dependency: transitive + description: + name: stack_trace + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + url: "https://pub.dev" + source: hosted + version: "1.11.1" + stream_channel: + dependency: transitive + description: + name: stream_channel + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 + url: "https://pub.dev" + source: hosted + version: "2.1.2" + string_scanner: + dependency: transitive + description: + name: string_scanner + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + term_glyph: + dependency: transitive + description: + name: term_glyph + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 + url: "https://pub.dev" + source: hosted + version: "1.2.1" + test_api: + dependency: transitive + description: + name: test_api + sha256: "9955ae474176f7ac8ee4e989dadfb411a58c30415bcfb648fa04b2b8a03afa7f" + url: "https://pub.dev" + source: hosted + version: "0.7.0" + typed_data: + dependency: transitive + description: + name: typed_data + sha256: facc8d6582f16042dd49f2463ff1bd6e2c9ef9f3d5da3d9b087e244a7b564b3c + url: "https://pub.dev" + source: hosted + version: "1.3.2" + vector_math: + dependency: transitive + description: + name: vector_math + sha256: "80b3257d1492ce4d091729e3a67a60407d227c27241d6927be0130c98e741803" + url: "https://pub.dev" + source: hosted + version: "2.1.4" + vm_service: + dependency: transitive + description: + name: vm_service + sha256: "3923c89304b715fb1eb6423f017651664a03bf5f4b29983627c4da791f74a4ec" + url: "https://pub.dev" + source: hosted + version: "14.2.1" + xml: + dependency: transitive + description: + name: xml + sha256: b015a8ad1c488f66851d762d3090a21c600e479dc75e68328c52774040cf9226 + url: "https://pub.dev" + source: hosted + version: "6.5.0" +sdks: + dart: ">=3.3.0 <4.0.0" + flutter: ">=3.18.0-18.0.pre.54" diff --git a/plugins/quick_blue/example/pubspec.yaml b/plugins/quick_blue/example/pubspec.yaml new file mode 100644 index 0000000..f82efc2 --- /dev/null +++ b/plugins/quick_blue/example/pubspec.yaml @@ -0,0 +1,85 @@ +name: quick_blue_example +description: Demonstrates how to use the quick_blue plugin. + +# The following line prevents the package from being accidentally published to +# pub.dev using `flutter pub publish`. This is preferred for private packages. +publish_to: 'none' # Remove this line if you wish to publish to pub.dev + +environment: + sdk: ">=2.15.1" + +# Dependencies specify other packages that your package needs in order to work. +# To automatically upgrade your package dependencies to the latest versions +# consider running `flutter pub upgrade --major-versions`. Alternatively, +# dependencies can be manually updated by changing the version numbers below to +# the latest version available on pub.dev. To see which dependencies have newer +# versions available, run `flutter pub outdated`. +dependencies: + flutter: + sdk: flutter + + quick_blue: + # When depending on this package from a real application you should use: + # quick_blue: ^x.y.z + # See https://dart.dev/tools/pub/dependencies#version-constraints + # The example app is bundled with the plugin so we use a path dependency on + # the parent directory to use the current plugin's version. + path: ../ + + # The following adds the Cupertino Icons font to your application. + # Use with the CupertinoIcons class for iOS style icons. + cupertino_icons: ^1.0.2 + convert: ^3.0.1 + logging: ^1.2.0 +dev_dependencies: + flutter_test: + sdk: flutter + + # The "flutter_lints" package below contains a set of recommended lints to + # encourage good coding practices. The lint set provided by the package is + # activated in the `analysis_options.yaml` file located at the root of your + # package. See that file for information about deactivating specific lint + # rules and activating additional ones. + flutter_lints: ^2.0.2 + +# For information on the generic Dart part of this file, see the +# following page: https://dart.dev/tools/pub/pubspec + +# The following section is specific to Flutter. +flutter: + + # The following line ensures that the Material Icons font is + # included with your application, so that you can use the icons in + # the material Icons class. + uses-material-design: true + + # To add assets to your application, add an assets section, like this: + # assets: + # - images/a_dot_burr.jpeg + # - images/a_dot_ham.jpeg + + # An image asset can refer to one or more resolution-specific "variants", see + # https://flutter.dev/assets-and-images/#resolution-aware. + + # For details regarding adding assets from package dependencies, see + # https://flutter.dev/assets-and-images/#from-packages + + # To add custom fonts to your application, add a fonts section here, + # in this "flutter" section. Each entry in this list should have a + # "family" key with the font family name, and a "fonts" key with a + # list giving the asset and other descriptors for the font. For + # example: + # fonts: + # - family: Schyler + # fonts: + # - asset: fonts/Schyler-Regular.ttf + # - asset: fonts/Schyler-Italic.ttf + # style: italic + # - family: Trajan Pro + # fonts: + # - asset: fonts/TrajanPro.ttf + # - asset: fonts/TrajanPro_Bold.ttf + # weight: 700 + # + # For details regarding fonts from package dependencies, + # see https://flutter.dev/custom-fonts/#from-packages diff --git a/plugins/quick_blue/example/windows/.gitignore b/plugins/quick_blue/example/windows/.gitignore new file mode 100644 index 0000000..d492d0d --- /dev/null +++ b/plugins/quick_blue/example/windows/.gitignore @@ -0,0 +1,17 @@ +flutter/ephemeral/ + +# Visual Studio user-specific files. +*.suo +*.user +*.userosscache +*.sln.docstates + +# Visual Studio build-related files. +x64/ +x86/ + +# Visual Studio cache files +# files ending in .cache can be ignored +*.[Cc]ache +# but keep track of directories ending in .cache +!*.[Cc]ache/ diff --git a/plugins/quick_blue/example/windows/CMakeLists.txt b/plugins/quick_blue/example/windows/CMakeLists.txt new file mode 100644 index 0000000..6f6aad8 --- /dev/null +++ b/plugins/quick_blue/example/windows/CMakeLists.txt @@ -0,0 +1,95 @@ +cmake_minimum_required(VERSION 3.14) +project(quick_blue_example LANGUAGES CXX) + +set(BINARY_NAME "quick_blue_example") + +cmake_policy(SET CMP0063 NEW) + +set(CMAKE_INSTALL_RPATH "$ORIGIN/lib") + +# Configure build options. +get_property(IS_MULTICONFIG GLOBAL PROPERTY GENERATOR_IS_MULTI_CONFIG) +if(IS_MULTICONFIG) + set(CMAKE_CONFIGURATION_TYPES "Debug;Profile;Release" + CACHE STRING "" FORCE) +else() + if(NOT CMAKE_BUILD_TYPE AND NOT CMAKE_CONFIGURATION_TYPES) + set(CMAKE_BUILD_TYPE "Debug" CACHE + STRING "Flutter build mode" FORCE) + set_property(CACHE CMAKE_BUILD_TYPE PROPERTY STRINGS + "Debug" "Profile" "Release") + endif() +endif() + +set(CMAKE_EXE_LINKER_FLAGS_PROFILE "${CMAKE_EXE_LINKER_FLAGS_RELEASE}") +set(CMAKE_SHARED_LINKER_FLAGS_PROFILE "${CMAKE_SHARED_LINKER_FLAGS_RELEASE}") +set(CMAKE_C_FLAGS_PROFILE "${CMAKE_C_FLAGS_RELEASE}") +set(CMAKE_CXX_FLAGS_PROFILE "${CMAKE_CXX_FLAGS_RELEASE}") + +# Use Unicode for all projects. +add_definitions(-DUNICODE -D_UNICODE) + +# Compilation settings that should be applied to most targets. +function(APPLY_STANDARD_SETTINGS TARGET) + target_compile_features(${TARGET} PUBLIC cxx_std_17) + target_compile_options(${TARGET} PRIVATE /W4 /WX /wd"4100") + target_compile_options(${TARGET} PRIVATE /EHsc) + target_compile_definitions(${TARGET} PRIVATE "_HAS_EXCEPTIONS=0") + target_compile_definitions(${TARGET} PRIVATE "$<$:_DEBUG>") +endfunction() + +set(FLUTTER_MANAGED_DIR "${CMAKE_CURRENT_SOURCE_DIR}/flutter") + +# Flutter library and tool build rules. +add_subdirectory(${FLUTTER_MANAGED_DIR}) + +# Application build +add_subdirectory("runner") + +# Generated plugin build rules, which manage building the plugins and adding +# them to the application. +include(flutter/generated_plugins.cmake) + + +# === Installation === +# Support files are copied into place next to the executable, so that it can +# run in place. This is done instead of making a separate bundle (as on Linux) +# so that building and running from within Visual Studio will work. +set(BUILD_BUNDLE_DIR "$") +# Make the "install" step default, as it's required to run. +set(CMAKE_VS_INCLUDE_INSTALL_TO_DEFAULT_BUILD 1) +if(CMAKE_INSTALL_PREFIX_INITIALIZED_TO_DEFAULT) + set(CMAKE_INSTALL_PREFIX "${BUILD_BUNDLE_DIR}" CACHE PATH "..." FORCE) +endif() + +set(INSTALL_BUNDLE_DATA_DIR "${CMAKE_INSTALL_PREFIX}/data") +set(INSTALL_BUNDLE_LIB_DIR "${CMAKE_INSTALL_PREFIX}") + +install(TARGETS ${BINARY_NAME} RUNTIME DESTINATION "${CMAKE_INSTALL_PREFIX}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_ICU_DATA_FILE}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) + +if(PLUGIN_BUNDLED_LIBRARIES) + install(FILES "${PLUGIN_BUNDLED_LIBRARIES}" + DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endif() + +# Fully re-copy the assets directory on each build to avoid having stale files +# from a previous install. +set(FLUTTER_ASSET_DIR_NAME "flutter_assets") +install(CODE " + file(REMOVE_RECURSE \"${INSTALL_BUNDLE_DATA_DIR}/${FLUTTER_ASSET_DIR_NAME}\") + " COMPONENT Runtime) +install(DIRECTORY "${PROJECT_BUILD_DIR}/${FLUTTER_ASSET_DIR_NAME}" + DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" COMPONENT Runtime) + +# Install the AOT library on non-Debug builds only. +install(FILES "${AOT_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + CONFIGURATIONS Profile;Release + COMPONENT Runtime) diff --git a/plugins/quick_blue/example/windows/flutter/CMakeLists.txt b/plugins/quick_blue/example/windows/flutter/CMakeLists.txt new file mode 100644 index 0000000..b2e4bd8 --- /dev/null +++ b/plugins/quick_blue/example/windows/flutter/CMakeLists.txt @@ -0,0 +1,103 @@ +cmake_minimum_required(VERSION 3.14) + +set(EPHEMERAL_DIR "${CMAKE_CURRENT_SOURCE_DIR}/ephemeral") + +# Configuration provided via flutter tool. +include(${EPHEMERAL_DIR}/generated_config.cmake) + +# TODO: Move the rest of this into files in ephemeral. See +# https://github.com/flutter/flutter/issues/57146. +set(WRAPPER_ROOT "${EPHEMERAL_DIR}/cpp_client_wrapper") + +# === Flutter Library === +set(FLUTTER_LIBRARY "${EPHEMERAL_DIR}/flutter_windows.dll") + +# Published to parent scope for install step. +set(FLUTTER_LIBRARY ${FLUTTER_LIBRARY} PARENT_SCOPE) +set(FLUTTER_ICU_DATA_FILE "${EPHEMERAL_DIR}/icudtl.dat" PARENT_SCOPE) +set(PROJECT_BUILD_DIR "${PROJECT_DIR}/build/" PARENT_SCOPE) +set(AOT_LIBRARY "${PROJECT_DIR}/build/windows/app.so" PARENT_SCOPE) + +list(APPEND FLUTTER_LIBRARY_HEADERS + "flutter_export.h" + "flutter_windows.h" + "flutter_messenger.h" + "flutter_plugin_registrar.h" + "flutter_texture_registrar.h" +) +list(TRANSFORM FLUTTER_LIBRARY_HEADERS PREPEND "${EPHEMERAL_DIR}/") +add_library(flutter INTERFACE) +target_include_directories(flutter INTERFACE + "${EPHEMERAL_DIR}" +) +target_link_libraries(flutter INTERFACE "${FLUTTER_LIBRARY}.lib") +add_dependencies(flutter flutter_assemble) + +# === Wrapper === +list(APPEND CPP_WRAPPER_SOURCES_CORE + "core_implementations.cc" + "standard_codec.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_CORE PREPEND "${WRAPPER_ROOT}/") +list(APPEND CPP_WRAPPER_SOURCES_PLUGIN + "plugin_registrar.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_PLUGIN PREPEND "${WRAPPER_ROOT}/") +list(APPEND CPP_WRAPPER_SOURCES_APP + "flutter_engine.cc" + "flutter_view_controller.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_APP PREPEND "${WRAPPER_ROOT}/") + +# Wrapper sources needed for a plugin. +add_library(flutter_wrapper_plugin STATIC + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_PLUGIN} +) +apply_standard_settings(flutter_wrapper_plugin) +set_target_properties(flutter_wrapper_plugin PROPERTIES + POSITION_INDEPENDENT_CODE ON) +set_target_properties(flutter_wrapper_plugin PROPERTIES + CXX_VISIBILITY_PRESET hidden) +target_link_libraries(flutter_wrapper_plugin PUBLIC flutter) +target_include_directories(flutter_wrapper_plugin PUBLIC + "${WRAPPER_ROOT}/include" +) +add_dependencies(flutter_wrapper_plugin flutter_assemble) + +# Wrapper sources needed for the runner. +add_library(flutter_wrapper_app STATIC + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_APP} +) +apply_standard_settings(flutter_wrapper_app) +target_link_libraries(flutter_wrapper_app PUBLIC flutter) +target_include_directories(flutter_wrapper_app PUBLIC + "${WRAPPER_ROOT}/include" +) +add_dependencies(flutter_wrapper_app flutter_assemble) + +# === Flutter tool backend === +# _phony_ is a non-existent file to force this command to run every time, +# since currently there's no way to get a full input/output list from the +# flutter tool. +set(PHONY_OUTPUT "${CMAKE_CURRENT_BINARY_DIR}/_phony_") +set_source_files_properties("${PHONY_OUTPUT}" PROPERTIES SYMBOLIC TRUE) +add_custom_command( + OUTPUT ${FLUTTER_LIBRARY} ${FLUTTER_LIBRARY_HEADERS} + ${CPP_WRAPPER_SOURCES_CORE} ${CPP_WRAPPER_SOURCES_PLUGIN} + ${CPP_WRAPPER_SOURCES_APP} + ${PHONY_OUTPUT} + COMMAND ${CMAKE_COMMAND} -E env + ${FLUTTER_TOOL_ENVIRONMENT} + "${FLUTTER_ROOT}/packages/flutter_tools/bin/tool_backend.bat" + windows-x64 $ + VERBATIM +) +add_custom_target(flutter_assemble DEPENDS + "${FLUTTER_LIBRARY}" + ${FLUTTER_LIBRARY_HEADERS} + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_PLUGIN} + ${CPP_WRAPPER_SOURCES_APP} +) diff --git a/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.cc b/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.cc new file mode 100644 index 0000000..48b4d4d --- /dev/null +++ b/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.cc @@ -0,0 +1,14 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#include "generated_plugin_registrant.h" + +#include + +void RegisterPlugins(flutter::PluginRegistry* registry) { + QuickBluePluginRegisterWithRegistrar( + registry->GetRegistrarForPlugin("QuickBluePlugin")); +} diff --git a/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.h b/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.h new file mode 100644 index 0000000..dc139d8 --- /dev/null +++ b/plugins/quick_blue/example/windows/flutter/generated_plugin_registrant.h @@ -0,0 +1,15 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#ifndef GENERATED_PLUGIN_REGISTRANT_ +#define GENERATED_PLUGIN_REGISTRANT_ + +#include + +// Registers Flutter plugins. +void RegisterPlugins(flutter::PluginRegistry* registry); + +#endif // GENERATED_PLUGIN_REGISTRANT_ diff --git a/plugins/quick_blue/example/windows/flutter/generated_plugins.cmake b/plugins/quick_blue/example/windows/flutter/generated_plugins.cmake new file mode 100644 index 0000000..55a705b --- /dev/null +++ b/plugins/quick_blue/example/windows/flutter/generated_plugins.cmake @@ -0,0 +1,24 @@ +# +# Generated file, do not edit. +# + +list(APPEND FLUTTER_PLUGIN_LIST + quick_blue +) + +list(APPEND FLUTTER_FFI_PLUGIN_LIST +) + +set(PLUGIN_BUNDLED_LIBRARIES) + +foreach(plugin ${FLUTTER_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${plugin}/windows plugins/${plugin}) + target_link_libraries(${BINARY_NAME} PRIVATE ${plugin}_plugin) + list(APPEND PLUGIN_BUNDLED_LIBRARIES $) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${plugin}_bundled_libraries}) +endforeach(plugin) + +foreach(ffi_plugin ${FLUTTER_FFI_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${ffi_plugin}/windows plugins/${ffi_plugin}) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${ffi_plugin}_bundled_libraries}) +endforeach(ffi_plugin) diff --git a/plugins/quick_blue/example/windows/runner/CMakeLists.txt b/plugins/quick_blue/example/windows/runner/CMakeLists.txt new file mode 100644 index 0000000..de2d891 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/CMakeLists.txt @@ -0,0 +1,17 @@ +cmake_minimum_required(VERSION 3.14) +project(runner LANGUAGES CXX) + +add_executable(${BINARY_NAME} WIN32 + "flutter_window.cpp" + "main.cpp" + "utils.cpp" + "win32_window.cpp" + "${FLUTTER_MANAGED_DIR}/generated_plugin_registrant.cc" + "Runner.rc" + "runner.exe.manifest" +) +apply_standard_settings(${BINARY_NAME}) +target_compile_definitions(${BINARY_NAME} PRIVATE "NOMINMAX") +target_link_libraries(${BINARY_NAME} PRIVATE flutter flutter_wrapper_app) +target_include_directories(${BINARY_NAME} PRIVATE "${CMAKE_SOURCE_DIR}") +add_dependencies(${BINARY_NAME} flutter_assemble) diff --git a/plugins/quick_blue/example/windows/runner/Runner.rc b/plugins/quick_blue/example/windows/runner/Runner.rc new file mode 100644 index 0000000..8740428 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/Runner.rc @@ -0,0 +1,121 @@ +// Microsoft Visual C++ generated resource script. +// +#pragma code_page(65001) +#include "resource.h" + +#define APSTUDIO_READONLY_SYMBOLS +///////////////////////////////////////////////////////////////////////////// +// +// Generated from the TEXTINCLUDE 2 resource. +// +#include "winres.h" + +///////////////////////////////////////////////////////////////////////////// +#undef APSTUDIO_READONLY_SYMBOLS + +///////////////////////////////////////////////////////////////////////////// +// English (United States) resources + +#if !defined(AFX_RESOURCE_DLL) || defined(AFX_TARG_ENU) +LANGUAGE LANG_ENGLISH, SUBLANG_ENGLISH_US + +#ifdef APSTUDIO_INVOKED +///////////////////////////////////////////////////////////////////////////// +// +// TEXTINCLUDE +// + +1 TEXTINCLUDE +BEGIN + "resource.h\0" +END + +2 TEXTINCLUDE +BEGIN + "#include ""winres.h""\r\n" + "\0" +END + +3 TEXTINCLUDE +BEGIN + "\r\n" + "\0" +END + +#endif // APSTUDIO_INVOKED + + +///////////////////////////////////////////////////////////////////////////// +// +// Icon +// + +// Icon with lowest ID value placed first to ensure application icon +// remains consistent on all systems. +IDI_APP_ICON ICON "resources\\app_icon.ico" + + +///////////////////////////////////////////////////////////////////////////// +// +// Version +// + +#ifdef FLUTTER_BUILD_NUMBER +#define VERSION_AS_NUMBER FLUTTER_BUILD_NUMBER +#else +#define VERSION_AS_NUMBER 1,0,0 +#endif + +#ifdef FLUTTER_BUILD_NAME +#define VERSION_AS_STRING #FLUTTER_BUILD_NAME +#else +#define VERSION_AS_STRING "1.0.0" +#endif + +VS_VERSION_INFO VERSIONINFO + FILEVERSION VERSION_AS_NUMBER + PRODUCTVERSION VERSION_AS_NUMBER + FILEFLAGSMASK VS_FFI_FILEFLAGSMASK +#ifdef _DEBUG + FILEFLAGS VS_FF_DEBUG +#else + FILEFLAGS 0x0L +#endif + FILEOS VOS__WINDOWS32 + FILETYPE VFT_APP + FILESUBTYPE 0x0L +BEGIN + BLOCK "StringFileInfo" + BEGIN + BLOCK "040904e4" + BEGIN + VALUE "CompanyName", "com.example" "\0" + VALUE "FileDescription", "Demonstrates how to use the quick_blue plugin." "\0" + VALUE "FileVersion", VERSION_AS_STRING "\0" + VALUE "InternalName", "quick_blue_example" "\0" + VALUE "LegalCopyright", "Copyright (C) 2022 com.example. All rights reserved." "\0" + VALUE "OriginalFilename", "quick_blue_example.exe" "\0" + VALUE "ProductName", "quick_blue_example" "\0" + VALUE "ProductVersion", VERSION_AS_STRING "\0" + END + END + BLOCK "VarFileInfo" + BEGIN + VALUE "Translation", 0x409, 1252 + END +END + +#endif // English (United States) resources +///////////////////////////////////////////////////////////////////////////// + + + +#ifndef APSTUDIO_INVOKED +///////////////////////////////////////////////////////////////////////////// +// +// Generated from the TEXTINCLUDE 3 resource. +// + + +///////////////////////////////////////////////////////////////////////////// +#endif // not APSTUDIO_INVOKED diff --git a/plugins/quick_blue/example/windows/runner/flutter_window.cpp b/plugins/quick_blue/example/windows/runner/flutter_window.cpp new file mode 100644 index 0000000..b43b909 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/flutter_window.cpp @@ -0,0 +1,61 @@ +#include "flutter_window.h" + +#include + +#include "flutter/generated_plugin_registrant.h" + +FlutterWindow::FlutterWindow(const flutter::DartProject& project) + : project_(project) {} + +FlutterWindow::~FlutterWindow() {} + +bool FlutterWindow::OnCreate() { + if (!Win32Window::OnCreate()) { + return false; + } + + RECT frame = GetClientArea(); + + // The size here must match the window dimensions to avoid unnecessary surface + // creation / destruction in the startup path. + flutter_controller_ = std::make_unique( + frame.right - frame.left, frame.bottom - frame.top, project_); + // Ensure that basic setup of the controller was successful. + if (!flutter_controller_->engine() || !flutter_controller_->view()) { + return false; + } + RegisterPlugins(flutter_controller_->engine()); + SetChildContent(flutter_controller_->view()->GetNativeWindow()); + return true; +} + +void FlutterWindow::OnDestroy() { + if (flutter_controller_) { + flutter_controller_ = nullptr; + } + + Win32Window::OnDestroy(); +} + +LRESULT +FlutterWindow::MessageHandler(HWND hwnd, UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + // Give Flutter, including plugins, an opportunity to handle window messages. + if (flutter_controller_) { + std::optional result = + flutter_controller_->HandleTopLevelWindowProc(hwnd, message, wparam, + lparam); + if (result) { + return *result; + } + } + + switch (message) { + case WM_FONTCHANGE: + flutter_controller_->engine()->ReloadSystemFonts(); + break; + } + + return Win32Window::MessageHandler(hwnd, message, wparam, lparam); +} diff --git a/plugins/quick_blue/example/windows/runner/flutter_window.h b/plugins/quick_blue/example/windows/runner/flutter_window.h new file mode 100644 index 0000000..6da0652 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/flutter_window.h @@ -0,0 +1,33 @@ +#ifndef RUNNER_FLUTTER_WINDOW_H_ +#define RUNNER_FLUTTER_WINDOW_H_ + +#include +#include + +#include + +#include "win32_window.h" + +// A window that does nothing but host a Flutter view. +class FlutterWindow : public Win32Window { + public: + // Creates a new FlutterWindow hosting a Flutter view running |project|. + explicit FlutterWindow(const flutter::DartProject& project); + virtual ~FlutterWindow(); + + protected: + // Win32Window: + bool OnCreate() override; + void OnDestroy() override; + LRESULT MessageHandler(HWND window, UINT const message, WPARAM const wparam, + LPARAM const lparam) noexcept override; + + private: + // The project to run. + flutter::DartProject project_; + + // The Flutter instance hosted by this window. + std::unique_ptr flutter_controller_; +}; + +#endif // RUNNER_FLUTTER_WINDOW_H_ diff --git a/plugins/quick_blue/example/windows/runner/main.cpp b/plugins/quick_blue/example/windows/runner/main.cpp new file mode 100644 index 0000000..76e78b7 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/main.cpp @@ -0,0 +1,43 @@ +#include +#include +#include + +#include "flutter_window.h" +#include "utils.h" + +int APIENTRY wWinMain(_In_ HINSTANCE instance, _In_opt_ HINSTANCE prev, + _In_ wchar_t *command_line, _In_ int show_command) { + // Attach to console when present (e.g., 'flutter run') or create a + // new console when running with a debugger. + if (!::AttachConsole(ATTACH_PARENT_PROCESS) && ::IsDebuggerPresent()) { + CreateAndAttachConsole(); + } + + // Initialize COM, so that it is available for use in the library and/or + // plugins. + ::CoInitializeEx(nullptr, COINIT_APARTMENTTHREADED); + + flutter::DartProject project(L"data"); + + std::vector command_line_arguments = + GetCommandLineArguments(); + + project.set_dart_entrypoint_arguments(std::move(command_line_arguments)); + + FlutterWindow window(project); + Win32Window::Point origin(10, 10); + Win32Window::Size size(1280, 720); + if (!window.CreateAndShow(L"quick_blue_example", origin, size)) { + return EXIT_FAILURE; + } + window.SetQuitOnClose(true); + + ::MSG msg; + while (::GetMessage(&msg, nullptr, 0, 0)) { + ::TranslateMessage(&msg); + ::DispatchMessage(&msg); + } + + ::CoUninitialize(); + return EXIT_SUCCESS; +} diff --git a/plugins/quick_blue/example/windows/runner/resource.h b/plugins/quick_blue/example/windows/runner/resource.h new file mode 100644 index 0000000..66a65d1 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/resource.h @@ -0,0 +1,16 @@ +//{{NO_DEPENDENCIES}} +// Microsoft Visual C++ generated include file. +// Used by Runner.rc +// +#define IDI_APP_ICON 101 + +// Next default values for new objects +// +#ifdef APSTUDIO_INVOKED +#ifndef APSTUDIO_READONLY_SYMBOLS +#define _APS_NEXT_RESOURCE_VALUE 102 +#define _APS_NEXT_COMMAND_VALUE 40001 +#define _APS_NEXT_CONTROL_VALUE 1001 +#define _APS_NEXT_SYMED_VALUE 101 +#endif +#endif diff --git a/plugins/quick_blue/example/windows/runner/resources/app_icon.ico b/plugins/quick_blue/example/windows/runner/resources/app_icon.ico new file mode 100644 index 0000000..c04e20c Binary files /dev/null and b/plugins/quick_blue/example/windows/runner/resources/app_icon.ico differ diff --git a/plugins/quick_blue/example/windows/runner/runner.exe.manifest b/plugins/quick_blue/example/windows/runner/runner.exe.manifest new file mode 100644 index 0000000..c977c4a --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/runner.exe.manifest @@ -0,0 +1,20 @@ + + + + + PerMonitorV2 + + + + + + + + + + + + + + + diff --git a/plugins/quick_blue/example/windows/runner/utils.cpp b/plugins/quick_blue/example/windows/runner/utils.cpp new file mode 100644 index 0000000..d19bdbb --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/utils.cpp @@ -0,0 +1,64 @@ +#include "utils.h" + +#include +#include +#include +#include + +#include + +void CreateAndAttachConsole() { + if (::AllocConsole()) { + FILE *unused; + if (freopen_s(&unused, "CONOUT$", "w", stdout)) { + _dup2(_fileno(stdout), 1); + } + if (freopen_s(&unused, "CONOUT$", "w", stderr)) { + _dup2(_fileno(stdout), 2); + } + std::ios::sync_with_stdio(); + FlutterDesktopResyncOutputStreams(); + } +} + +std::vector GetCommandLineArguments() { + // Convert the UTF-16 command line arguments to UTF-8 for the Engine to use. + int argc; + wchar_t** argv = ::CommandLineToArgvW(::GetCommandLineW(), &argc); + if (argv == nullptr) { + return std::vector(); + } + + std::vector command_line_arguments; + + // Skip the first argument as it's the binary name. + for (int i = 1; i < argc; i++) { + command_line_arguments.push_back(Utf8FromUtf16(argv[i])); + } + + ::LocalFree(argv); + + return command_line_arguments; +} + +std::string Utf8FromUtf16(const wchar_t* utf16_string) { + if (utf16_string == nullptr) { + return std::string(); + } + int target_length = ::WideCharToMultiByte( + CP_UTF8, WC_ERR_INVALID_CHARS, utf16_string, + -1, nullptr, 0, nullptr, nullptr); + if (target_length == 0) { + return std::string(); + } + std::string utf8_string; + utf8_string.resize(target_length); + int converted_length = ::WideCharToMultiByte( + CP_UTF8, WC_ERR_INVALID_CHARS, utf16_string, + -1, utf8_string.data(), + target_length, nullptr, nullptr); + if (converted_length == 0) { + return std::string(); + } + return utf8_string; +} diff --git a/plugins/quick_blue/example/windows/runner/utils.h b/plugins/quick_blue/example/windows/runner/utils.h new file mode 100644 index 0000000..3879d54 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/utils.h @@ -0,0 +1,19 @@ +#ifndef RUNNER_UTILS_H_ +#define RUNNER_UTILS_H_ + +#include +#include + +// Creates a console for the process, and redirects stdout and stderr to +// it for both the runner and the Flutter library. +void CreateAndAttachConsole(); + +// Takes a null-terminated wchar_t* encoded in UTF-16 and returns a std::string +// encoded in UTF-8. Returns an empty std::string on failure. +std::string Utf8FromUtf16(const wchar_t* utf16_string); + +// Gets the command line arguments passed in as a std::vector, +// encoded in UTF-8. Returns an empty std::vector on failure. +std::vector GetCommandLineArguments(); + +#endif // RUNNER_UTILS_H_ diff --git a/plugins/quick_blue/example/windows/runner/win32_window.cpp b/plugins/quick_blue/example/windows/runner/win32_window.cpp new file mode 100644 index 0000000..c10f08d --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/win32_window.cpp @@ -0,0 +1,245 @@ +#include "win32_window.h" + +#include + +#include "resource.h" + +namespace { + +constexpr const wchar_t kWindowClassName[] = L"FLUTTER_RUNNER_WIN32_WINDOW"; + +// The number of Win32Window objects that currently exist. +static int g_active_window_count = 0; + +using EnableNonClientDpiScaling = BOOL __stdcall(HWND hwnd); + +// Scale helper to convert logical scaler values to physical using passed in +// scale factor +int Scale(int source, double scale_factor) { + return static_cast(source * scale_factor); +} + +// Dynamically loads the |EnableNonClientDpiScaling| from the User32 module. +// This API is only needed for PerMonitor V1 awareness mode. +void EnableFullDpiSupportIfAvailable(HWND hwnd) { + HMODULE user32_module = LoadLibraryA("User32.dll"); + if (!user32_module) { + return; + } + auto enable_non_client_dpi_scaling = + reinterpret_cast( + GetProcAddress(user32_module, "EnableNonClientDpiScaling")); + if (enable_non_client_dpi_scaling != nullptr) { + enable_non_client_dpi_scaling(hwnd); + FreeLibrary(user32_module); + } +} + +} // namespace + +// Manages the Win32Window's window class registration. +class WindowClassRegistrar { + public: + ~WindowClassRegistrar() = default; + + // Returns the singleton registar instance. + static WindowClassRegistrar* GetInstance() { + if (!instance_) { + instance_ = new WindowClassRegistrar(); + } + return instance_; + } + + // Returns the name of the window class, registering the class if it hasn't + // previously been registered. + const wchar_t* GetWindowClass(); + + // Unregisters the window class. Should only be called if there are no + // instances of the window. + void UnregisterWindowClass(); + + private: + WindowClassRegistrar() = default; + + static WindowClassRegistrar* instance_; + + bool class_registered_ = false; +}; + +WindowClassRegistrar* WindowClassRegistrar::instance_ = nullptr; + +const wchar_t* WindowClassRegistrar::GetWindowClass() { + if (!class_registered_) { + WNDCLASS window_class{}; + window_class.hCursor = LoadCursor(nullptr, IDC_ARROW); + window_class.lpszClassName = kWindowClassName; + window_class.style = CS_HREDRAW | CS_VREDRAW; + window_class.cbClsExtra = 0; + window_class.cbWndExtra = 0; + window_class.hInstance = GetModuleHandle(nullptr); + window_class.hIcon = + LoadIcon(window_class.hInstance, MAKEINTRESOURCE(IDI_APP_ICON)); + window_class.hbrBackground = 0; + window_class.lpszMenuName = nullptr; + window_class.lpfnWndProc = Win32Window::WndProc; + RegisterClass(&window_class); + class_registered_ = true; + } + return kWindowClassName; +} + +void WindowClassRegistrar::UnregisterWindowClass() { + UnregisterClass(kWindowClassName, nullptr); + class_registered_ = false; +} + +Win32Window::Win32Window() { + ++g_active_window_count; +} + +Win32Window::~Win32Window() { + --g_active_window_count; + Destroy(); +} + +bool Win32Window::CreateAndShow(const std::wstring& title, + const Point& origin, + const Size& size) { + Destroy(); + + const wchar_t* window_class = + WindowClassRegistrar::GetInstance()->GetWindowClass(); + + const POINT target_point = {static_cast(origin.x), + static_cast(origin.y)}; + HMONITOR monitor = MonitorFromPoint(target_point, MONITOR_DEFAULTTONEAREST); + UINT dpi = FlutterDesktopGetDpiForMonitor(monitor); + double scale_factor = dpi / 96.0; + + HWND window = CreateWindow( + window_class, title.c_str(), WS_OVERLAPPEDWINDOW | WS_VISIBLE, + Scale(origin.x, scale_factor), Scale(origin.y, scale_factor), + Scale(size.width, scale_factor), Scale(size.height, scale_factor), + nullptr, nullptr, GetModuleHandle(nullptr), this); + + if (!window) { + return false; + } + + return OnCreate(); +} + +// static +LRESULT CALLBACK Win32Window::WndProc(HWND const window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + if (message == WM_NCCREATE) { + auto window_struct = reinterpret_cast(lparam); + SetWindowLongPtr(window, GWLP_USERDATA, + reinterpret_cast(window_struct->lpCreateParams)); + + auto that = static_cast(window_struct->lpCreateParams); + EnableFullDpiSupportIfAvailable(window); + that->window_handle_ = window; + } else if (Win32Window* that = GetThisFromHandle(window)) { + return that->MessageHandler(window, message, wparam, lparam); + } + + return DefWindowProc(window, message, wparam, lparam); +} + +LRESULT +Win32Window::MessageHandler(HWND hwnd, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + switch (message) { + case WM_DESTROY: + window_handle_ = nullptr; + Destroy(); + if (quit_on_close_) { + PostQuitMessage(0); + } + return 0; + + case WM_DPICHANGED: { + auto newRectSize = reinterpret_cast(lparam); + LONG newWidth = newRectSize->right - newRectSize->left; + LONG newHeight = newRectSize->bottom - newRectSize->top; + + SetWindowPos(hwnd, nullptr, newRectSize->left, newRectSize->top, newWidth, + newHeight, SWP_NOZORDER | SWP_NOACTIVATE); + + return 0; + } + case WM_SIZE: { + RECT rect = GetClientArea(); + if (child_content_ != nullptr) { + // Size and position the child window. + MoveWindow(child_content_, rect.left, rect.top, rect.right - rect.left, + rect.bottom - rect.top, TRUE); + } + return 0; + } + + case WM_ACTIVATE: + if (child_content_ != nullptr) { + SetFocus(child_content_); + } + return 0; + } + + return DefWindowProc(window_handle_, message, wparam, lparam); +} + +void Win32Window::Destroy() { + OnDestroy(); + + if (window_handle_) { + DestroyWindow(window_handle_); + window_handle_ = nullptr; + } + if (g_active_window_count == 0) { + WindowClassRegistrar::GetInstance()->UnregisterWindowClass(); + } +} + +Win32Window* Win32Window::GetThisFromHandle(HWND const window) noexcept { + return reinterpret_cast( + GetWindowLongPtr(window, GWLP_USERDATA)); +} + +void Win32Window::SetChildContent(HWND content) { + child_content_ = content; + SetParent(content, window_handle_); + RECT frame = GetClientArea(); + + MoveWindow(content, frame.left, frame.top, frame.right - frame.left, + frame.bottom - frame.top, true); + + SetFocus(child_content_); +} + +RECT Win32Window::GetClientArea() { + RECT frame; + GetClientRect(window_handle_, &frame); + return frame; +} + +HWND Win32Window::GetHandle() { + return window_handle_; +} + +void Win32Window::SetQuitOnClose(bool quit_on_close) { + quit_on_close_ = quit_on_close; +} + +bool Win32Window::OnCreate() { + // No-op; provided for subclasses. + return true; +} + +void Win32Window::OnDestroy() { + // No-op; provided for subclasses. +} diff --git a/plugins/quick_blue/example/windows/runner/win32_window.h b/plugins/quick_blue/example/windows/runner/win32_window.h new file mode 100644 index 0000000..17ba431 --- /dev/null +++ b/plugins/quick_blue/example/windows/runner/win32_window.h @@ -0,0 +1,98 @@ +#ifndef RUNNER_WIN32_WINDOW_H_ +#define RUNNER_WIN32_WINDOW_H_ + +#include + +#include +#include +#include + +// A class abstraction for a high DPI-aware Win32 Window. Intended to be +// inherited from by classes that wish to specialize with custom +// rendering and input handling +class Win32Window { + public: + struct Point { + unsigned int x; + unsigned int y; + Point(unsigned int x, unsigned int y) : x(x), y(y) {} + }; + + struct Size { + unsigned int width; + unsigned int height; + Size(unsigned int width, unsigned int height) + : width(width), height(height) {} + }; + + Win32Window(); + virtual ~Win32Window(); + + // Creates and shows a win32 window with |title| and position and size using + // |origin| and |size|. New windows are created on the default monitor. Window + // sizes are specified to the OS in physical pixels, hence to ensure a + // consistent size to will treat the width height passed in to this function + // as logical pixels and scale to appropriate for the default monitor. Returns + // true if the window was created successfully. + bool CreateAndShow(const std::wstring& title, + const Point& origin, + const Size& size); + + // Release OS resources associated with window. + void Destroy(); + + // Inserts |content| into the window tree. + void SetChildContent(HWND content); + + // Returns the backing Window handle to enable clients to set icon and other + // window properties. Returns nullptr if the window has been destroyed. + HWND GetHandle(); + + // If true, closing this window will quit the application. + void SetQuitOnClose(bool quit_on_close); + + // Return a RECT representing the bounds of the current client area. + RECT GetClientArea(); + + protected: + // Processes and route salient window messages for mouse handling, + // size change and DPI. Delegates handling of these to member overloads that + // inheriting classes can handle. + virtual LRESULT MessageHandler(HWND window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept; + + // Called when CreateAndShow is called, allowing subclass window-related + // setup. Subclasses should return false if setup fails. + virtual bool OnCreate(); + + // Called when Destroy is called. + virtual void OnDestroy(); + + private: + friend class WindowClassRegistrar; + + // OS callback called by message pump. Handles the WM_NCCREATE message which + // is passed when the non-client area is being created and enables automatic + // non-client DPI scaling so that the non-client area automatically + // responsponds to changes in DPI. All other messages are handled by + // MessageHandler. + static LRESULT CALLBACK WndProc(HWND const window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept; + + // Retrieves a class instance pointer for |window| + static Win32Window* GetThisFromHandle(HWND const window) noexcept; + + bool quit_on_close_ = false; + + // window handle for top level window. + HWND window_handle_ = nullptr; + + // window handle for hosted content. + HWND child_content_ = nullptr; +}; + +#endif // RUNNER_WIN32_WINDOW_H_ diff --git a/plugins/quick_blue/ios/.gitignore b/plugins/quick_blue/ios/.gitignore new file mode 100644 index 0000000..0c88507 --- /dev/null +++ b/plugins/quick_blue/ios/.gitignore @@ -0,0 +1,38 @@ +.idea/ +.vagrant/ +.sconsign.dblite +.svn/ + +.DS_Store +*.swp +profile + +DerivedData/ +build/ +GeneratedPluginRegistrant.h +GeneratedPluginRegistrant.m + +.generated/ + +*.pbxuser +*.mode1v3 +*.mode2v3 +*.perspectivev3 + +!default.pbxuser +!default.mode1v3 +!default.mode2v3 +!default.perspectivev3 + +xcuserdata + +*.moved-aside + +*.pyc +*sync/ +Icon? +.tags* + +/Flutter/Generated.xcconfig +/Flutter/ephemeral/ +/Flutter/flutter_export_environment.sh \ No newline at end of file diff --git a/plugins/quick_blue/ios/Assets/.gitkeep b/plugins/quick_blue/ios/Assets/.gitkeep new file mode 100644 index 0000000..e69de29 diff --git a/plugins/quick_blue/ios/Classes/QuickBlueDarwin.swift b/plugins/quick_blue/ios/Classes/QuickBlueDarwin.swift new file mode 100644 index 0000000..7e59902 --- /dev/null +++ b/plugins/quick_blue/ios/Classes/QuickBlueDarwin.swift @@ -0,0 +1 @@ +../../darwin/QuickBlueDarwin.swift \ No newline at end of file diff --git a/plugins/quick_blue/ios/Classes/QuickBluePlugin.h b/plugins/quick_blue/ios/Classes/QuickBluePlugin.h new file mode 100644 index 0000000..4395b5b --- /dev/null +++ b/plugins/quick_blue/ios/Classes/QuickBluePlugin.h @@ -0,0 +1,4 @@ +#import + +@interface QuickBluePlugin : NSObject +@end diff --git a/plugins/quick_blue/ios/Classes/QuickBluePlugin.m b/plugins/quick_blue/ios/Classes/QuickBluePlugin.m new file mode 100644 index 0000000..e9d0730 --- /dev/null +++ b/plugins/quick_blue/ios/Classes/QuickBluePlugin.m @@ -0,0 +1,15 @@ +#import "QuickBluePlugin.h" +#if __has_include() +#import +#else +// Support project import fallback if the generated compatibility header +// is not copied when this plugin is created as a library. +// https://forums.swift.org/t/swift-static-libraries-dont-copy-generated-objective-c-header/19816 +#import "quick_blue-Swift.h" +#endif + +@implementation QuickBluePlugin ++ (void)registerWithRegistrar:(NSObject*)registrar { + [SwiftQuickBluePlugin registerWithRegistrar:registrar]; +} +@end diff --git a/plugins/quick_blue/ios/Classes/SwiftQuickBluePlugin.swift b/plugins/quick_blue/ios/Classes/SwiftQuickBluePlugin.swift new file mode 100644 index 0000000..26d1efb --- /dev/null +++ b/plugins/quick_blue/ios/Classes/SwiftQuickBluePlugin.swift @@ -0,0 +1,7 @@ +import Flutter + +public class SwiftQuickBluePlugin: NSObject, FlutterPlugin { + public static func register(with registrar: FlutterPluginRegistrar) { + QuickBlueDarwin.register(with: registrar) + } +} diff --git a/plugins/quick_blue/ios/quick_blue.podspec b/plugins/quick_blue/ios/quick_blue.podspec new file mode 100644 index 0000000..77a75b1 --- /dev/null +++ b/plugins/quick_blue/ios/quick_blue.podspec @@ -0,0 +1,23 @@ +# +# To learn more about a Podspec see http://guides.cocoapods.org/syntax/podspec.html. +# Run `pod lib lint quick_blue.podspec` to validate before publishing. +# +Pod::Spec.new do |s| + s.name = 'quick_blue' + s.version = '0.0.1' + s.summary = 'A new flutter plugin project.' + s.description = <<-DESC +A new flutter plugin project. + DESC + s.homepage = 'http://example.com' + s.license = { :file => '../LICENSE' } + s.author = { 'Your Company' => 'email@example.com' } + s.source = { :path => '.' } + s.source_files = 'Classes/**/*' + s.dependency 'Flutter' + s.platform = :ios, '9.0' + + # Flutter.framework does not contain a i386 slice. + s.pod_target_xcconfig = { 'DEFINES_MODULE' => 'YES', 'EXCLUDED_ARCHS[sdk=iphonesimulator*]' => 'i386' } + s.swift_version = '5.0' +end diff --git a/plugins/quick_blue/lib/quick_blue.dart b/plugins/quick_blue/lib/quick_blue.dart new file mode 100644 index 0000000..99a7a29 --- /dev/null +++ b/plugins/quick_blue/lib/quick_blue.dart @@ -0,0 +1,67 @@ +import 'dart:async'; +import 'dart:typed_data'; + +import 'src/quick_blue_platform_interface.dart'; + +export 'src/models.dart'; +export 'src/quick_blue_linux.dart'; +export 'src/quick_blue_platform_interface.dart'; + +class QuickBlue { + static QuickBluePlatform _platform = QuickBluePlatform.instance; + + static set platform(QuickBluePlatform platform) { + _platform = platform; + } + + static void setInstance(QuickBluePlatform instance) => _platform = instance; + + static void setLogger(QuickLogger logger) => + _platform.setLogger(logger); + + static Future isBluetoothAvailable() => + _platform.isBluetoothAvailable(); + + static Stream get availabilityChangeStream => _platform.availabilityChangeStream.map(AvailabilityState.parse); + + static Future startScan() => _platform.startScan(); + + static void stopScan() => _platform.stopScan(); + + static Stream get scanResultStream { + return _platform.scanResultStream + .map((item) => BlueScanResult.fromMap(item)); + } + + static void connect(String deviceId) => _platform.connect(deviceId); + + static void disconnect(String deviceId) => _platform.disconnect(deviceId); + + static void setConnectionHandler(OnConnectionChanged? onConnectionChanged) { + _platform.onConnectionChanged = onConnectionChanged; + } + + static void discoverServices(String deviceId) => _platform.discoverServices(deviceId); + + static void setServiceHandler(OnServiceDiscovered? onServiceDiscovered) { + _platform.onServiceDiscovered = onServiceDiscovered; + } + + static Future setNotifiable(String deviceId, String service, String characteristic, BleInputProperty bleInputProperty) { + return _platform.setNotifiable(deviceId, service, characteristic, bleInputProperty); + } + + static void setValueHandler(OnValueChanged? onValueChanged) { + _platform.onValueChanged = onValueChanged; + } + + static Future readValue(String deviceId, String service, String characteristic) { + return _platform.readValue(deviceId, service, characteristic); + } + + static Future writeValue(String deviceId, String service, String characteristic, Uint8List value, BleOutputProperty bleOutputProperty) { + return _platform.writeValue(deviceId, service, characteristic, value, bleOutputProperty); + } + + static Future requestMtu(String deviceId, int expectedMtu) => _platform.requestMtu(deviceId, expectedMtu); +} diff --git a/plugins/quick_blue/lib/src/method_channel_quick_blue.dart b/plugins/quick_blue/lib/src/method_channel_quick_blue.dart new file mode 100644 index 0000000..f9a6f1b --- /dev/null +++ b/plugins/quick_blue/lib/src/method_channel_quick_blue.dart @@ -0,0 +1,148 @@ +import 'dart:async'; + +import 'package:flutter/services.dart'; +import 'package:logging/logging.dart'; + +import 'quick_blue_platform_interface.dart'; + +class MethodChannelQuickBlue extends QuickBluePlatform { + static const _method = MethodChannel('quick_blue/method'); + static const _eventScanResult = EventChannel('quick_blue/event.scanResult'); + static const _eventAvailabilityChange = EventChannel('quick_blue/event.availabilityChange'); + static const _messageConnector = BasicMessageChannel('quick_blue/message.connector', StandardMessageCodec()); + + MethodChannelQuickBlue() { + _messageConnector.setMessageHandler(_handleConnectorMessage); + } + + QuickLogger? _logger; + + @override + void setLogger(QuickLogger logger) { + _logger = logger; + } + + void _log(String message, {Level logLevel = Level.INFO}) { + _logger?.log(logLevel, message); + } + + @override + Future isBluetoothAvailable() async { + bool result = await _method.invokeMethod('isBluetoothAvailable'); + return result; + } + + final Stream _availabilityChangeStream = _eventAvailabilityChange.receiveBroadcastStream({'name': 'availabilityChange'}).cast(); + + @override + Stream get availabilityChangeStream => _availabilityChangeStream; + + @override + Future startScan() async { + await _method.invokeMethod('startScan'); + _log('startScan invokeMethod success'); + } + + @override + Future stopScan() async { + await _method.invokeMethod('stopScan'); + _log('stopScan invokeMethod success'); + } + + final Stream _scanResultStream = _eventScanResult.receiveBroadcastStream({'name': 'scanResult'}); + + @override + Stream get scanResultStream => _scanResultStream; + + @override + void connect(String deviceId) { + _method.invokeMethod('connect', { + 'deviceId': deviceId, + }).then((_) => _log('connect invokeMethod success')); + } + + @override + void disconnect(String deviceId) { + _method.invokeMethod('disconnect', { + 'deviceId': deviceId, + }).then((_) => _log('disconnect invokeMethod success')); + } + + @override + void discoverServices(String deviceId) { + _method.invokeMethod('discoverServices', { + 'deviceId': deviceId, + }).then((_) => _log('discoverServices invokeMethod success')); + } + + Future _handleConnectorMessage(dynamic message) async { + _log('_handleConnectorMessage $message', logLevel: Level.ALL); + if (message['ConnectionState'] != null) { + String deviceId = message['deviceId']; + BlueConnectionState connectionState = BlueConnectionState.parse(message['ConnectionState']); + onConnectionChanged?.call(deviceId, connectionState); + } else if (message['ServiceState'] != null) { + if (message['ServiceState'] == 'discovered') { + String deviceId = message['deviceId']; + String service = message['service']; + List characteristics = (message['characteristics'] as List).cast(); + onServiceDiscovered?.call(deviceId, service, characteristics); + } + } else if (message['characteristicValue'] != null) { + String deviceId = message['deviceId']; + var characteristicValue = message['characteristicValue']; + String characteristic = characteristicValue['characteristic']; + Uint8List value = Uint8List.fromList(characteristicValue['value']); // In case of _Uint8ArrayView + onValueChanged?.call(deviceId, characteristic, value); + } else if (message['mtuConfig'] != null) { + _mtuConfigController.add(message['mtuConfig']); + } + } + + @override + Future setNotifiable(String deviceId, String service, String characteristic, BleInputProperty bleInputProperty) async { + _method.invokeMethod('setNotifiable', { + 'deviceId': deviceId, + 'service': service, + 'characteristic': characteristic, + 'bleInputProperty': bleInputProperty.value, + }).then((_) => _log('setNotifiable invokeMethod success')); + } + + @override + Future readValue(String deviceId, String service, String characteristic) async { + _method.invokeMethod('readValue', { + 'deviceId': deviceId, + 'service': service, + 'characteristic': characteristic, + }).then((_) => _log('readValue invokeMethod success')); + } + + @override + Future writeValue(String deviceId, String service, String characteristic, Uint8List value, BleOutputProperty bleOutputProperty) async { + _method.invokeMethod('writeValue', { + 'deviceId': deviceId, + 'service': service, + 'characteristic': characteristic, + 'value': value, + 'bleOutputProperty': bleOutputProperty.value, + }).then((_) { + _log('writeValue invokeMethod success', logLevel: Level.ALL); + }).catchError((onError) { + // Characteristic sometimes unavailable on Android + throw onError; + }); + } + + // FIXME Close + final _mtuConfigController = StreamController.broadcast(); + + @override + Future requestMtu(String deviceId, int expectedMtu) async { + _method.invokeMethod('requestMtu', { + 'deviceId': deviceId, + 'expectedMtu': expectedMtu, + }).then((_) => _log('requestMtu invokeMethod success')); + return await _mtuConfigController.stream.first; + } +} diff --git a/plugins/quick_blue/lib/src/models.dart b/plugins/quick_blue/lib/src/models.dart new file mode 100644 index 0000000..c5e3073 --- /dev/null +++ b/plugins/quick_blue/lib/src/models.dart @@ -0,0 +1,116 @@ +import 'dart:typed_data'; + +class AvailabilityState { + static const unknown = AvailabilityState._(0); + static const resetting = AvailabilityState._(1); + static const unsupported = AvailabilityState._(2); + static const unauthorized = AvailabilityState._(3); + static const poweredOff = AvailabilityState._(4); + static const poweredOn = AvailabilityState._(5); + + final int value; + + const AvailabilityState._(this.value); + + static AvailabilityState parse(int value) { + if (value == unknown.value) { + return unknown; + } else if (value == resetting.value) { + return resetting; + } else if (value == unsupported.value) { + return unsupported; + } else if (value == unauthorized.value) { + return unauthorized; + } else if (value == poweredOff.value) { + return poweredOff; + } else if (value == poweredOn.value) { + return poweredOn; + } + throw ArgumentError.value(value); + } + + @override + String toString() { + switch (this) { + case AvailabilityState.unknown: + return 'unknown'; + case AvailabilityState.resetting: + return 'resetting'; + case AvailabilityState.unsupported: + return 'unsupported'; + case AvailabilityState.unauthorized: + return 'unauthorized'; + case AvailabilityState.poweredOff: + return 'poweredOff'; + case AvailabilityState.poweredOn: + return 'poweredOn'; + default: + throw ArgumentError.value(value); + } + } +} + +class BlueScanResult { + final String name; + String deviceId; + final Uint8List? _manufacturerDataHead; + final Uint8List? _manufacturerData; + int rssi; + + Uint8List get manufacturerDataHead => + _manufacturerDataHead ?? Uint8List.fromList([]); + + Uint8List get manufacturerData => _manufacturerData ?? manufacturerDataHead; + + BlueScanResult.fromMap(map) + : name = map['name'], + deviceId = map['deviceId'], + _manufacturerDataHead = map['manufacturerDataHead'], + _manufacturerData = map['manufacturerData'], + rssi = map['rssi']; + + Map toMap() => { + 'name': name, + 'deviceId': deviceId, + 'manufacturerDataHead': _manufacturerDataHead, + 'manufacturerData': _manufacturerData, + 'rssi': rssi, + }; +} + +class BlueConnectionState { + static const disconnected = BlueConnectionState._('disconnected'); + static const connected = BlueConnectionState._('connected'); + + final String value; + + const BlueConnectionState._(this.value); + + static BlueConnectionState parse(String value) { + if (value == disconnected.value) { + return disconnected; + } else if (value == connected.value) { + return connected; + } + throw ArgumentError.value(value); + } +} + +class BleInputProperty { + static const disabled = BleInputProperty._('disabled'); + static const notification = BleInputProperty._('notification'); + static const indication = BleInputProperty._('indication'); + + final String value; + + const BleInputProperty._(this.value); +} + +class BleOutputProperty { + static const withResponse = BleOutputProperty._('withResponse'); + static const withoutResponse = BleOutputProperty._('withoutResponse'); + + final String value; + + const BleOutputProperty._(this.value); +} diff --git a/plugins/quick_blue/lib/src/quick_blue_linux.dart b/plugins/quick_blue/lib/src/quick_blue_linux.dart new file mode 100644 index 0000000..5952e35 --- /dev/null +++ b/plugins/quick_blue/lib/src/quick_blue_linux.dart @@ -0,0 +1,216 @@ +import 'dart:async'; +import 'dart:typed_data'; + +import 'package:bluez/bluez.dart'; +import 'package:collection/collection.dart'; +import 'package:convert/convert.dart'; +import 'package:logging/logging.dart'; + +import 'quick_blue_platform_interface.dart'; + +class QuickBlueLinux extends QuickBluePlatform { + // For example/.dart_tool/flutter_build/generated_main.dart + static registerWith() { + QuickBluePlatform.instance = QuickBlueLinux(); + } + + bool isInitialized = false; + + final BlueZClient _client = BlueZClient(); + + BlueZAdapter? _activeAdapter; + + Future _ensureInitialized() async { + if (!isInitialized) { + await _client.connect(); + + _activeAdapter ??= _client.adapters.firstWhereOrNull((adapter) => adapter.powered); + if (_activeAdapter == null) { + if (_client.adapters.isEmpty) { + throw Exception('Bluetooth adapter unavailable'); + } + await _client.adapters.first.setPowered(true); + _activeAdapter = _client.adapters.first; + } + _client.deviceAdded.listen(_onDeviceAdd); + + _activeAdapter?.propertiesChanged.listen((List properties) { + if (properties.contains('Powered')) { + _availabilityStateController.add(availabilityState); + } + }); + _availabilityStateController.add(availabilityState); + isInitialized = true; + } + } + + QuickLogger? _logger; + + @override + void setLogger(QuickLogger logger) { + _logger = logger; + } + + void _log(String message, {Level logLevel = Level.INFO}) { + _logger?.log(logLevel, message); + } + + @override + Future isBluetoothAvailable() async { + await _ensureInitialized(); + _log('isBluetoothAvailable invoke success'); + return _activeAdapter!.powered; + } + + // FIXME Close + final StreamController _availabilityStateController = StreamController.broadcast(); + + @override + Stream get availabilityChangeStream =>_availabilityStateController.stream.map((state) => state.value); + + AvailabilityState get availabilityState { + return _activeAdapter!.powered ? AvailabilityState.poweredOn : AvailabilityState.poweredOff; + } + + @override + Future startScan() async { + await _ensureInitialized(); + _log('startScan invoke success'); + + if (!_activeAdapter!.discovering) { + _activeAdapter!.startDiscovery(); + _client.devices.forEach(_onDeviceAdd); + } + } + + @override + Future stopScan() async { + await _ensureInitialized(); + _log('stopScan invoke success'); + + if (!_activeAdapter!.discovering) { + _activeAdapter!.stopDiscovery(); + } + } + + // FIXME Close + final StreamController _scanResultController = StreamController.broadcast(); + + @override + Stream get scanResultStream => _scanResultController.stream; + + void _onDeviceAdd(BlueZDevice device) { + _scanResultController.add({ + 'deviceId': device.address, + 'name': device.alias, + 'manufacturerDataHead': device.manufacturerDataHead, + 'rssi': device.rssi, + }); + } + + BlueZDevice _findDeviceById(String deviceId) { + var device = _client.devices.firstWhereOrNull((device) => device.address == deviceId); + if (device == null) { + throw Exception('Unknown deviceId:$deviceId'); + } + return device; + } + + @override + void connect(String deviceId) { + _findDeviceById(deviceId).connect().then((_) { + onConnectionChanged?.call(deviceId, BlueConnectionState.connected); + }); + } + + @override + void disconnect(String deviceId) { + _findDeviceById(deviceId).disconnect().then((_) { + onConnectionChanged?.call(deviceId, BlueConnectionState.disconnected); + }); + } + + @override + void discoverServices(String deviceId) { + var device = _findDeviceById(deviceId); + + for (var service in device.gattServices) { + _log("Service ${service.uuid}"); + for (var characteristic in service.characteristics) { + _log(" Characteristic ${characteristic.uuid}"); + } + + var characteristics = service.characteristics.map((e) => e.uuid.toString()).toList(); + onServiceDiscovered?.call(deviceId, service.uuid.toString(), characteristics); + } + } + + BlueZGattCharacteristic _getCharacteristic(String deviceId, String service, String characteristic) { + var device = _findDeviceById(deviceId); + var s = device.gattServices.firstWhereOrNull((s) => s.uuid.toString() == service); + var c = s?.characteristics.firstWhereOrNull((c) => c.uuid.toString() == characteristic); + + if (c == null) { + throw Exception('Unknown characteristic:$characteristic'); + } + return c; + } + + final Map>> _characteristicPropertiesSubscriptions = {}; + + @override + Future setNotifiable(String deviceId, String service, String characteristic, BleInputProperty bleInputProperty) async { + var c = _getCharacteristic(deviceId, service, characteristic); + + if (bleInputProperty != BleInputProperty.disabled) { + c.startNotify(); + void onPropertiesChanged(properties) { + if (properties.contains('Value')) { + _log('onCharacteristicPropertiesChanged $characteristic, ${hex.encode(c.value)}'); + onValueChanged?.call(deviceId, characteristic, Uint8List.fromList(c.value)); + } + } + _characteristicPropertiesSubscriptions[characteristic] ??= c.propertiesChanged.listen(onPropertiesChanged); + } else { + c.stopNotify(); + _characteristicPropertiesSubscriptions.remove(characteristic)?.cancel(); + } + } + + @override + Future readValue(String deviceId, String service, String characteristic) async { + var c = _getCharacteristic(deviceId, service, characteristic); + + var data = await c.readValue(); + _log('readValue $characteristic, ${hex.encode(data)}'); + onValueChanged?.call(deviceId, characteristic, Uint8List.fromList(data)); + } + + @override + Future writeValue(String deviceId, String service, String characteristic, Uint8List value, BleOutputProperty bleOutputProperty) async { + var c = _getCharacteristic(deviceId, service, characteristic); + + if (bleOutputProperty == BleOutputProperty.withResponse) { + await c.writeValue(value, type: BlueZGattCharacteristicWriteType.request); + } else { + await c.writeValue(value, type: BlueZGattCharacteristicWriteType.command); + } + _log('writeValue $characteristic, ${hex.encode(value)}'); + } + + @override + Future requestMtu(String deviceId, int expectedMtu) { + // TODO: implement requestMtu + throw UnimplementedError(); + } +} + +extension BlueZDeviceExtension on BlueZDevice { + Uint8List get manufacturerDataHead { + if (manufacturerData.isEmpty) return Uint8List(0); + + final sorted = manufacturerData.entries.toList() + ..sort((a, b) => a.key.id - b.key.id); + return Uint8List.fromList(sorted.first.value); + } +} diff --git a/plugins/quick_blue/lib/src/quick_blue_platform_interface.dart b/plugins/quick_blue/lib/src/quick_blue_platform_interface.dart new file mode 100644 index 0000000..65d9940 --- /dev/null +++ b/plugins/quick_blue/lib/src/quick_blue_platform_interface.dart @@ -0,0 +1,65 @@ +import 'dart:typed_data'; + +import 'package:logging/logging.dart'; +import 'package:plugin_platform_interface/plugin_platform_interface.dart'; +import 'package:quick_blue/src/method_channel_quick_blue.dart'; + +import 'models.dart'; + +export 'method_channel_quick_blue.dart'; +export 'models.dart'; + +typedef QuickLogger = Logger; + +typedef OnConnectionChanged = void Function(String deviceId, BlueConnectionState state); + +typedef OnServiceDiscovered = void Function(String deviceId, String serviceId, List characteristicIds); + +typedef OnValueChanged = void Function(String deviceId, String characteristicId, Uint8List value); + +abstract class QuickBluePlatform extends PlatformInterface { + QuickBluePlatform() : super(token: _token); + + static final Object _token = Object(); + + static QuickBluePlatform _instance = MethodChannelQuickBlue(); + + static QuickBluePlatform get instance => _instance; + + static set instance(QuickBluePlatform instance) { + PlatformInterface.verifyToken(instance, _token); + _instance = instance; + } + + void setLogger(QuickLogger logger); + + Future isBluetoothAvailable(); + + Stream get availabilityChangeStream; + + Future startScan(); + + Future stopScan(); + + Stream get scanResultStream; + + void connect(String deviceId); + + void disconnect(String deviceId); + + OnConnectionChanged? onConnectionChanged; + + void discoverServices(String deviceId); + + OnServiceDiscovered? onServiceDiscovered; + + Future setNotifiable(String deviceId, String service, String characteristic, BleInputProperty bleInputProperty); + + OnValueChanged? onValueChanged; + + Future readValue(String deviceId, String service, String characteristic); + + Future writeValue(String deviceId, String service, String characteristic, Uint8List value, BleOutputProperty bleOutputProperty); + + Future requestMtu(String deviceId, int expectedMtu); +} diff --git a/plugins/quick_blue/macos/Classes/QuickBlueDarwin.swift b/plugins/quick_blue/macos/Classes/QuickBlueDarwin.swift new file mode 100644 index 0000000..7e59902 --- /dev/null +++ b/plugins/quick_blue/macos/Classes/QuickBlueDarwin.swift @@ -0,0 +1 @@ +../../darwin/QuickBlueDarwin.swift \ No newline at end of file diff --git a/plugins/quick_blue/macos/Classes/QuickBluePlugin.swift b/plugins/quick_blue/macos/Classes/QuickBluePlugin.swift new file mode 100644 index 0000000..8fbab87 --- /dev/null +++ b/plugins/quick_blue/macos/Classes/QuickBluePlugin.swift @@ -0,0 +1,8 @@ +import Cocoa +import FlutterMacOS + +public class QuickBluePlugin { + public static func register(with registrar: FlutterPluginRegistrar) { + QuickBlueDarwin.register(with: registrar) + } +} diff --git a/plugins/quick_blue/macos/quick_blue.podspec b/plugins/quick_blue/macos/quick_blue.podspec new file mode 100644 index 0000000..badd931 --- /dev/null +++ b/plugins/quick_blue/macos/quick_blue.podspec @@ -0,0 +1,22 @@ +# +# To learn more about a Podspec see http://guides.cocoapods.org/syntax/podspec.html. +# Run `pod lib lint quick_blue.podspec` to validate before publishing. +# +Pod::Spec.new do |s| + s.name = 'quick_blue' + s.version = '0.0.1' + s.summary = 'A new flutter plugin project.' + s.description = <<-DESC +A new flutter plugin project. + DESC + s.homepage = 'http://example.com' + s.license = { :file => '../LICENSE' } + s.author = { 'Your Company' => 'email@example.com' } + s.source = { :path => '.' } + s.source_files = 'Classes/**/*' + s.dependency 'FlutterMacOS' + + s.platform = :osx, '10.12' + s.pod_target_xcconfig = { 'DEFINES_MODULE' => 'YES' } + s.swift_version = '5.0' +end diff --git a/plugins/quick_blue/pubspec.yaml b/plugins/quick_blue/pubspec.yaml new file mode 100644 index 0000000..0e9279a --- /dev/null +++ b/plugins/quick_blue/pubspec.yaml @@ -0,0 +1,83 @@ +name: quick_blue +description: A new flutter plugin project. +version: 0.0.1 +homepage: https://github.com/woodemi/quick.flutter +repository: https://github.com/woodemi/quick.flutter/tree/master/packages/quick_blue + +environment: + sdk: ">=2.15.1 <3.0.0" + flutter: ">=2.5.0" + +dependencies: + flutter: + sdk: flutter + logging: ^1.0.2 + plugin_platform_interface: ^2.1.2 + bluez: ^0.8.2 + convert: ^3.0.1 + + collection: any +dev_dependencies: + flutter_test: + sdk: flutter + flutter_lints: ^1.0.0 + +# For information on the generic Dart part of this file, see the +# following page: https://dart.dev/tools/pub/pubspec + +# The following section is specific to Flutter. +flutter: + # This section identifies this Flutter project as a plugin project. + # The 'pluginClass' and Android 'package' identifiers should not ordinarily + # be modified. They are used by the tooling to maintain consistency when + # adding or updating assets for this project. + plugin: + platforms: + # This plugin project was generated without specifying any + # platforms with the `--platform` argument. If you see the `some_platform` map below, remove it and + # then add platforms following the instruction here: + # https://flutter.dev/docs/development/packages-and-plugins/developing-packages#plugin-platforms + # ------------------- + android: + package: com.example.quick_blue + pluginClass: QuickBluePlugin + ios: + pluginClass: QuickBluePlugin + windows: + pluginClass: QuickBluePlugin + macos: + pluginClass: QuickBluePlugin + linux: + dartPluginClass: QuickBlueLinux + # ------------------- + + # To add assets to your plugin package, add an assets section, like this: + # assets: + # - images/a_dot_burr.jpeg + # - images/a_dot_ham.jpeg + # + # For details regarding assets in packages, see + # https://flutter.dev/assets-and-images/#from-packages + # + # An image asset can refer to one or more resolution-specific "variants", see + # https://flutter.dev/assets-and-images/#resolution-aware. + + # To add custom fonts to your plugin package, add a fonts section here, + # in this "flutter" section. Each entry in this list should have a + # "family" key with the font family name, and a "fonts" key with a + # list giving the asset and other descriptors for the font. For + # example: + # fonts: + # - family: Schyler + # fonts: + # - asset: fonts/Schyler-Regular.ttf + # - asset: fonts/Schyler-Italic.ttf + # style: italic + # - family: Trajan Pro + # fonts: + # - asset: fonts/TrajanPro.ttf + # - asset: fonts/TrajanPro_Bold.ttf + # weight: 700 + # + # For details regarding fonts in packages, see + # https://flutter.dev/custom-fonts/#from-packages diff --git a/plugins/quick_blue/windows/.gitignore b/plugins/quick_blue/windows/.gitignore new file mode 100644 index 0000000..b3eb2be --- /dev/null +++ b/plugins/quick_blue/windows/.gitignore @@ -0,0 +1,17 @@ +flutter/ + +# Visual Studio user-specific files. +*.suo +*.user +*.userosscache +*.sln.docstates + +# Visual Studio build-related files. +x64/ +x86/ + +# Visual Studio cache files +# files ending in .cache can be ignored +*.[Cc]ache +# but keep track of directories ending in .cache +!*.[Cc]ache/ diff --git a/plugins/quick_blue/windows/CMakeLists.txt b/plugins/quick_blue/windows/CMakeLists.txt new file mode 100644 index 0000000..eb85563 --- /dev/null +++ b/plugins/quick_blue/windows/CMakeLists.txt @@ -0,0 +1,61 @@ +cmake_minimum_required(VERSION 3.14) +set(PROJECT_NAME "quick_blue") +project(${PROJECT_NAME} LANGUAGES CXX) + +include(FetchContent) +set(CPPWINRT_VERSION "2.0.220418.1") + +# This value is used when generating builds using this plugin, so it must +# not be changed +set(PLUGIN_NAME "quick_blue_plugin") + +################ NuGet intall begin ################ +FetchContent_Declare(nuget + URL "https://dist.nuget.org/win-x86-commandline/v6.0.0/nuget.exe" + URL_HASH SHA256=04eb6c4fe4213907e2773e1be1bbbd730e9a655a3c9c58387ce8d4a714a5b9e1 + DOWNLOAD_NO_EXTRACT true +) + +find_program(NUGET nuget) +if (NOT NUGET) + message("Nuget.exe not found, trying to download or use cached version.") + FetchContent_MakeAvailable(nuget) + set(NUGET ${nuget_SOURCE_DIR}/nuget.exe) +endif() + +execute_process(COMMAND + ${NUGET} install "Microsoft.Windows.CppWinRT" -Version ${CPPWINRT_VERSION} -OutputDirectory packages + WORKING_DIRECTORY ${CMAKE_BINARY_DIR} + RESULT_VARIABLE ret) +if (NOT ret EQUAL 0) + message(FATAL_ERROR "Failed to install nuget package Microsoft.Windows.CppWinRT.${CPPWINRT_VERSION}") +endif() +################ NuGet install end ################ + +add_library(${PLUGIN_NAME} SHARED + "quick_blue_plugin.cpp" +) +apply_standard_settings(${PLUGIN_NAME}) +set_target_properties(${PLUGIN_NAME} PROPERTIES + CXX_VISIBILITY_PRESET hidden) + +################ NuGet import begin ################ +set_target_properties(${PLUGIN_NAME} PROPERTIES VS_PROJECT_IMPORT + ${CMAKE_BINARY_DIR}/packages/Microsoft.Windows.CppWinRT.${CPPWINRT_VERSION}/build/native/Microsoft.Windows.CppWinRT.props +) + +target_link_libraries(${PLUGIN_NAME} PRIVATE + ${CMAKE_BINARY_DIR}/packages/Microsoft.Windows.CppWinRT.${CPPWINRT_VERSION}/build/native/Microsoft.Windows.CppWinRT.targets +) +################ NuGet import end ################ + +target_compile_definitions(${PLUGIN_NAME} PRIVATE FLUTTER_PLUGIN_IMPL) +target_include_directories(${PLUGIN_NAME} INTERFACE + "${CMAKE_CURRENT_SOURCE_DIR}/include") +target_link_libraries(${PLUGIN_NAME} PRIVATE flutter flutter_wrapper_plugin) + +# List of absolute paths to libraries that should be bundled with the plugin +set(quick_blue_bundled_libraries + "" + PARENT_SCOPE +) diff --git a/plugins/quick_blue/windows/include/quick_blue/quick_blue_plugin.h b/plugins/quick_blue/windows/include/quick_blue/quick_blue_plugin.h new file mode 100644 index 0000000..fac9614 --- /dev/null +++ b/plugins/quick_blue/windows/include/quick_blue/quick_blue_plugin.h @@ -0,0 +1,23 @@ +#ifndef FLUTTER_PLUGIN_QUICK_BLUE_PLUGIN_H_ +#define FLUTTER_PLUGIN_QUICK_BLUE_PLUGIN_H_ + +#include + +#ifdef FLUTTER_PLUGIN_IMPL +#define FLUTTER_PLUGIN_EXPORT __declspec(dllexport) +#else +#define FLUTTER_PLUGIN_EXPORT __declspec(dllimport) +#endif + +#if defined(__cplusplus) +extern "C" { +#endif + +FLUTTER_PLUGIN_EXPORT void QuickBluePluginRegisterWithRegistrar( + FlutterDesktopPluginRegistrarRef registrar); + +#if defined(__cplusplus) +} // extern "C" +#endif + +#endif // FLUTTER_PLUGIN_QUICK_BLUE_PLUGIN_H_ diff --git a/plugins/quick_blue/windows/quick_blue_plugin.cpp b/plugins/quick_blue/windows/quick_blue_plugin.cpp new file mode 100644 index 0000000..9ec7456 --- /dev/null +++ b/plugins/quick_blue/windows/quick_blue_plugin.cpp @@ -0,0 +1,623 @@ +#include "include/quick_blue/quick_blue_plugin.h" + +// This must be included before many other Windows headers. +#include +#include +#include +#include +#include +#include +#include +#include + +#include +#include +#include +#include +#include +#include +#include + +#include +#include +#include +#include +#include + +#define GUID_FORMAT "%08x-%04hx-%04hx-%02hhx%02hhx-%02hhx%02hhx%02hhx%02hhx%02hhx%02hhx" +#define GUID_ARG(guid) guid.Data1, guid.Data2, guid.Data3, guid.Data4[0], guid.Data4[1], guid.Data4[2], guid.Data4[3], guid.Data4[4], guid.Data4[5], guid.Data4[6], guid.Data4[7] + +namespace { + +using namespace winrt::Windows::Foundation; +using namespace winrt::Windows::Foundation::Collections; +using namespace winrt::Windows::Storage::Streams; +using namespace winrt::Windows::Devices::Radios; +using namespace winrt::Windows::Devices::Bluetooth; +using namespace winrt::Windows::Devices::Bluetooth::Advertisement; +using namespace winrt::Windows::Devices::Bluetooth::GenericAttributeProfile; + +using flutter::EncodableValue; +using flutter::EncodableMap; +using flutter::EncodableList; + +union uint16_t_union { + uint16_t uint16; + byte bytes[sizeof(uint16_t)]; +}; + +std::vector to_bytevc(IBuffer buffer) { + auto reader = DataReader::FromBuffer(buffer); + auto result = std::vector(reader.UnconsumedBufferLength()); + reader.ReadBytes(result); + return result; +} + +IBuffer from_bytevc(std::vector bytes) { + auto writer = DataWriter(); + writer.WriteBytes(bytes); + return writer.DetachBuffer(); +} + +std::string to_hexstring(std::vector bytes) { + auto ss = std::stringstream(); + for (auto b : bytes) + ss << std::setw(2) << std::setfill('0') << std::hex << static_cast(b); + return ss.str(); +} + +std::string to_uuidstr(winrt::guid guid) { + char chars[36 + 1]; + sprintf_s(chars, GUID_FORMAT, GUID_ARG(guid)); + return std::string{ chars }; +} + +struct BluetoothDeviceAgent { + BluetoothLEDevice device; + winrt::event_token connnectionStatusChangedToken; + std::map gattServices; + std::map gattCharacteristics; + std::map valueChangedTokens; + + BluetoothDeviceAgent(BluetoothLEDevice device, winrt::event_token connnectionStatusChangedToken) + : device(device), + connnectionStatusChangedToken(connnectionStatusChangedToken) {} + + ~BluetoothDeviceAgent() { + device = nullptr; + } + + IAsyncOperation GetServiceAsync(std::string service) { + if (gattServices.count(service) == 0) { + auto serviceResult = co_await device.GetGattServicesAsync(); + if (serviceResult.Status() != GattCommunicationStatus::Success) + co_return nullptr; + + for (auto s : serviceResult.Services()) + if (to_uuidstr(s.Uuid()) == service) + gattServices.insert(std::make_pair(service, s)); + } + co_return gattServices.at(service); + } + + IAsyncOperation GetCharacteristicAsync(std::string service, std::string characteristic) { + if (gattCharacteristics.count(characteristic) == 0) { + auto gattService = co_await GetServiceAsync(service); + + auto characteristicResult = co_await gattService.GetCharacteristicsAsync(); + if (characteristicResult.Status() != GattCommunicationStatus::Success) + co_return nullptr; + + for (auto c : characteristicResult.Characteristics()) + if (to_uuidstr(c.Uuid()) == characteristic) + gattCharacteristics.insert(std::make_pair(characteristic, c)); + } + co_return gattCharacteristics.at(characteristic); + } +}; + +class QuickBluePlugin : public flutter::Plugin, public flutter::StreamHandler { + public: + static void RegisterWithRegistrar(flutter::PluginRegistrarWindows *registrar); + + QuickBluePlugin(); + + virtual ~QuickBluePlugin(); + + private: + winrt::fire_and_forget InitializeAsync(); + + // Called when a method is called on this plugin's channel from Dart. + void HandleMethodCall( + const flutter::MethodCall &method_call, + std::unique_ptr> result); + + std::unique_ptr> OnListenInternal( + const EncodableValue* arguments, + std::unique_ptr>&& events) override; + std::unique_ptr> OnCancelInternal( + const EncodableValue* arguments) override; + + std::unique_ptr> message_connector_; + + std::unique_ptr> availability_change_sink_; + std::unique_ptr> scan_result_sink_; + + Radio bluetoothRadio{ nullptr }; + void Radio_StateChanged(Radio sender, IInspectable args); + RadioState oldRadioState = RadioState::Unknown; + + BluetoothLEAdvertisementWatcher bluetoothLEWatcher{ nullptr }; + winrt::event_token bluetoothLEWatcherReceivedToken; + winrt::fire_and_forget BluetoothLEWatcher_Received(BluetoothLEAdvertisementWatcher sender, BluetoothLEAdvertisementReceivedEventArgs args); + + std::map> connectedDevices{}; + winrt::event_revoker radioStateChangedRevoker; + + winrt::fire_and_forget ConnectAsync(uint64_t bluetoothAddress); + void BluetoothLEDevice_ConnectionStatusChanged(BluetoothLEDevice sender, IInspectable args); + void CleanConnection(uint64_t bluetoothAddress); + winrt::fire_and_forget DiscoverServicesAsync(BluetoothDeviceAgent &bluetoothDeviceAgent); + + winrt::fire_and_forget SetNotifiableAsync(BluetoothDeviceAgent& bluetoothDeviceAgent, GattCharacteristic& gattCharacteristic, std::string bleInputProperty); + winrt::fire_and_forget RequestMtuAsync(BluetoothDeviceAgent& bluetoothDeviceAgent, uint64_t expectedMtu); + winrt::fire_and_forget ReadValueAsync(GattCharacteristic& gattCharacteristic); + winrt::fire_and_forget WriteValueAsync(GattCharacteristic& gattCharacteristic, std::vector value, std::string bleOutputProperty); + void QuickBluePlugin::GattCharacteristic_ValueChanged(GattCharacteristic sender, GattValueChangedEventArgs args); +}; + +// static +void QuickBluePlugin::RegisterWithRegistrar( + flutter::PluginRegistrarWindows *registrar) { + auto method = + std::make_unique>( + registrar->messenger(), "quick_blue/method", + &flutter::StandardMethodCodec::GetInstance()); + auto event_availability_change = + std::make_unique>( + registrar->messenger(), "quick_blue/event.availabilityChange", + &flutter::StandardMethodCodec::GetInstance()); + auto event_scan_result = + std::make_unique>( + registrar->messenger(), "quick_blue/event.scanResult", + &flutter::StandardMethodCodec::GetInstance()); + auto message_connector_ = + std::make_unique>( + registrar->messenger(), "quick_blue/message.connector", + &flutter::StandardMessageCodec::GetInstance()); + + auto plugin = std::make_unique(); + + method->SetMethodCallHandler( + [plugin_pointer = plugin.get()](const auto &call, auto result) { + plugin_pointer->HandleMethodCall(call, std::move(result)); + }); + + auto availability_handler = std::make_unique< + flutter::StreamHandlerFunctions<>>( + [plugin_pointer = plugin.get()]( + const EncodableValue* arguments, + std::unique_ptr>&& events) + -> std::unique_ptr> { + return plugin_pointer->OnListen(arguments, std::move(events)); + }, + [plugin_pointer = plugin.get()](const EncodableValue* arguments) + -> std::unique_ptr> { + return plugin_pointer->OnCancel(arguments); + }); + auto scan_result_handler = std::make_unique< + flutter::StreamHandlerFunctions<>>( + [plugin_pointer = plugin.get()]( + const EncodableValue* arguments, + std::unique_ptr>&& events) + -> std::unique_ptr> { + return plugin_pointer->OnListen(arguments, std::move(events)); + }, + [plugin_pointer = plugin.get()](const EncodableValue* arguments) + -> std::unique_ptr> { + return plugin_pointer->OnCancel(arguments); + }); + event_availability_change->SetStreamHandler(std::move(availability_handler)); + event_scan_result->SetStreamHandler(std::move(scan_result_handler)); + plugin->message_connector_ = std::move(message_connector_); + + registrar->AddPlugin(std::move(plugin)); +} + +QuickBluePlugin::QuickBluePlugin() { + InitializeAsync(); +} + +QuickBluePlugin::~QuickBluePlugin() {} + +winrt::fire_and_forget QuickBluePlugin::InitializeAsync() { + auto bluetoothAdapter = co_await BluetoothAdapter::GetDefaultAsync(); + bluetoothRadio = co_await bluetoothAdapter.GetRadioAsync(); + if (bluetoothRadio) { + radioStateChangedRevoker = bluetoothRadio.StateChanged(winrt::auto_revoke, { this, &QuickBluePlugin::Radio_StateChanged }); + } +} + +void QuickBluePlugin::HandleMethodCall( + const flutter::MethodCall &method_call, + std::unique_ptr> result) { + auto method_name = method_call.method_name(); + OutputDebugString((L"HandleMethodCall " + winrt::to_hstring(method_name) + L"\n").c_str()); + if (method_name.compare("isBluetoothAvailable") == 0) { + result->Success(EncodableValue(bluetoothRadio && bluetoothRadio.State() == RadioState::On)); + } else if (method_name.compare("startScan") == 0) { + if (bluetoothRadio && bluetoothRadio.State() == RadioState::On) { + if (!bluetoothLEWatcher) { + bluetoothLEWatcher = BluetoothLEAdvertisementWatcher(); + bluetoothLEWatcherReceivedToken = bluetoothLEWatcher.Received({ this, &QuickBluePlugin::BluetoothLEWatcher_Received }); + } + bluetoothLEWatcher.Start(); + result->Success(nullptr); + } else { + result->Error("IllegalState", "Bluetooth unavailable"); + } + } else if (method_name.compare("stopScan") == 0) { + if (bluetoothRadio && bluetoothRadio.State() == RadioState::On) { + if (bluetoothLEWatcher) { + bluetoothLEWatcher.Stop(); + bluetoothLEWatcher.Received(bluetoothLEWatcherReceivedToken); + } + bluetoothLEWatcher = nullptr; + result->Success(nullptr); + } else { + result->Error("IllegalState", "Bluetooth unavailable"); + } + } else if (method_name.compare("connect") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + ConnectAsync(std::stoull(deviceId)); + result->Success(nullptr); + } else if (method_name.compare("disconnect") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + CleanConnection(std::stoull(deviceId)); + // TODO send `disconnected` message + result->Success(nullptr); + } else if (method_name.compare("discoverServices") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + auto it = connectedDevices.find(std::stoull(deviceId)); + if (it == connectedDevices.end()) { + result->Error("IllegalArgument", "Unknown devicesId:" + deviceId); + return; + } + DiscoverServicesAsync(*it->second); + result->Success(nullptr); + } else if (method_name.compare("setNotifiable") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + auto service = std::get(args[EncodableValue("service")]); + auto characteristic = std::get(args[EncodableValue("characteristic")]); + auto bleInputProperty = std::get(args[EncodableValue("bleInputProperty")]); + auto it = connectedDevices.find(std::stoull(deviceId)); + if (it == connectedDevices.end()) { + result->Error("IllegalArgument", "Unknown devicesId:" + deviceId); + return; + } + + auto bluetoothAgent = *it->second; + auto async_c = bluetoothAgent.GetCharacteristicAsync(service, characteristic); + async_c.Completed([&, result_pointer = result.get()] + (IAsyncOperation const& sender, AsyncStatus const args) { + // FIXME https://github.com/woodemi/quick.flutter/pull/31#issuecomment-1159213902 + auto c = sender.GetResults(); + if (c == nullptr) { + result_pointer->Error("IllegalArgument", "Unknown characteristic:" + characteristic); + return; + } + SetNotifiableAsync(bluetoothAgent, c, bleInputProperty); + result_pointer->Success(nullptr); + }); + } else if (method_name.compare("readValue") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + auto service = std::get(args[EncodableValue("service")]); + auto characteristic = std::get(args[EncodableValue("characteristic")]); + auto it = connectedDevices.find(std::stoull(deviceId)); + if (it == connectedDevices.end()) { + result->Error("IllegalArgument", "Unknown devicesId:" + deviceId); + return; + } + + auto bluetoothAgent = *it->second; + auto async_c = bluetoothAgent.GetCharacteristicAsync(service, characteristic); + async_c.Completed([&, result_pointer = result.get()] + (IAsyncOperation const& sender, AsyncStatus const args) { + // FIXME https://github.com/woodemi/quick.flutter/pull/31#issuecomment-1159213902 + auto c = sender.GetResults(); + if (c == nullptr) { + result_pointer->Error("IllegalArgument", "Unknown characteristic:" + characteristic); + return; + } + ReadValueAsync(c); + result_pointer->Success(nullptr); + }); + } else if (method_name.compare("writeValue") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + auto service = std::get(args[EncodableValue("service")]); + auto characteristic = std::get(args[EncodableValue("characteristic")]); + auto value = std::get>(args[EncodableValue("value")]); + auto bleOutputProperty = std::get(args[EncodableValue("bleOutputProperty")]); + auto it = connectedDevices.find(std::stoull(deviceId)); + if (it == connectedDevices.end()) { + result->Error("IllegalArgument", "Unknown devicesId:" + deviceId); + return; + } + + auto bluetoothAgent = *it->second; + auto async_c = bluetoothAgent.GetCharacteristicAsync(service, characteristic); + async_c.Completed([&, result_pointer = result.get()] + (IAsyncOperation const& sender, AsyncStatus const args) { + // FIXME https://github.com/woodemi/quick.flutter/pull/31#issuecomment-1159213902 + auto c = sender.GetResults(); + if (c == nullptr) { + result_pointer->Error("IllegalArgument", "Unknown characteristic:" + characteristic); + return; + } + WriteValueAsync(c, value, bleOutputProperty); + result_pointer->Success(nullptr); + }); + } else if (method_name.compare("requestMtu") == 0) { + auto args = std::get(*method_call.arguments()); + auto deviceId = std::get(args[EncodableValue("deviceId")]); + auto expectedMtu = std::get(args[EncodableValue("expectedMtu")]); + auto it = connectedDevices.find(std::stoull(deviceId)); + if (it == connectedDevices.end()) { + result->Error("IllegalArgument", "Unknown devicesId:" + deviceId); + return; + } + + RequestMtuAsync(*it->second, expectedMtu); + result->Success(nullptr); + } else { + result->NotImplemented(); + } +} + +std::vector parseManufacturerDataHead(BluetoothLEAdvertisement advertisement) +{ + if (advertisement.ManufacturerData().Size() == 0) + return std::vector(); + + auto manufacturerData = advertisement.ManufacturerData().GetAt(0); + // FIXME Compat with REG_DWORD_BIG_ENDIAN + uint8_t* prefix = uint16_t_union{ manufacturerData.CompanyId() }.bytes; + auto result = std::vector{ prefix, prefix + sizeof(uint16_t_union) }; + + auto data = to_bytevc(manufacturerData.Data()); + result.insert(result.end(), data.begin(), data.end()); + return result; +} + +enum class AvailabilityState : int { + unknown = 0, + resetting = 1, + unsupported = 2, + unauthorized = 3, + poweredOff = 4, + poweredOn = 5, +}; + +void QuickBluePlugin::Radio_StateChanged(Radio radio, IInspectable args) { + auto radioState = !radio ? RadioState::Disabled : radio.State(); + // FIXME https://stackoverflow.com/questions/66099947/bluetooth-radio-statechanged-event-fires-twice/67723902#67723902 + if (oldRadioState == radioState) { + return; + } + oldRadioState = radioState; + + auto state = [=]() -> AvailabilityState { + if (radioState == RadioState::Unknown) { + return AvailabilityState::unknown; + } else if (radioState == RadioState::Off) { + return AvailabilityState::poweredOff; + } else if (radioState == RadioState::On) { + return AvailabilityState::poweredOn; + } else if (radioState == RadioState::Disabled) { + return AvailabilityState::unsupported; + } else { + return AvailabilityState::unknown; + } + }(); + + if (availability_change_sink_) { + availability_change_sink_->Success(static_cast(state)); + } +} + +winrt::fire_and_forget QuickBluePlugin::BluetoothLEWatcher_Received( + BluetoothLEAdvertisementWatcher sender, + BluetoothLEAdvertisementReceivedEventArgs args) { + auto device = co_await BluetoothLEDevice::FromBluetoothAddressAsync(args.BluetoothAddress()); + auto name = device ? device.Name() : args.Advertisement().LocalName(); + OutputDebugString((L"Received BluetoothAddress:" + winrt::to_hstring(args.BluetoothAddress()) + + L", Name:" + name + L", LocalName:" + args.Advertisement().LocalName() + L"\n").c_str()); + if (scan_result_sink_) { + scan_result_sink_->Success(EncodableMap{ + {"name", winrt::to_string(name)}, + {"deviceId", std::to_string(args.BluetoothAddress())}, + {"manufacturerDataHead", parseManufacturerDataHead(args.Advertisement())}, + {"rssi", args.RawSignalStrengthInDBm()}, + }); + } +} + +std::unique_ptr> QuickBluePlugin::OnListenInternal( + const EncodableValue* arguments, std::unique_ptr>&& events) +{ + if (arguments == nullptr) { + return nullptr; + } + auto args = std::get(*arguments); + auto name = std::get(args[EncodableValue("name")]); + if (name.compare("availabilityChange") == 0) { + availability_change_sink_ = std::move(events); + Radio_StateChanged(bluetoothRadio, nullptr); + } else if (name.compare("scanResult") == 0) { + scan_result_sink_ = std::move(events); + } + return nullptr; +} + +std::unique_ptr> QuickBluePlugin::OnCancelInternal( + const EncodableValue* arguments) +{ + if (arguments == nullptr) { + return nullptr; + } + auto args = std::get(*arguments); + auto name = std::get(args[EncodableValue("name")]); + if (name.compare("availabilityChange") == 0) { + availability_change_sink_ = nullptr; + } else if (name.compare("scanResult") == 0) { + scan_result_sink_ = nullptr; + } + return nullptr; +} + +winrt::fire_and_forget QuickBluePlugin::ConnectAsync(uint64_t bluetoothAddress) { + auto device = co_await BluetoothLEDevice::FromBluetoothAddressAsync(bluetoothAddress); + auto servicesResult = co_await device.GetGattServicesAsync(); + if (servicesResult.Status() != GattCommunicationStatus::Success) { + OutputDebugString((L"GetGattServicesAsync error: " + winrt::to_hstring((int32_t)servicesResult.Status()) + L"\n").c_str()); + message_connector_->Send(EncodableMap{ + {"deviceId", std::to_string(bluetoothAddress)}, + {"ConnectionState", "disconnected"}, + }); + co_return; + } + auto connnectionStatusChangedToken = device.ConnectionStatusChanged({ this, &QuickBluePlugin::BluetoothLEDevice_ConnectionStatusChanged }); + auto deviceAgent = std::make_unique(device, connnectionStatusChangedToken); + auto pair = std::make_pair(bluetoothAddress, std::move(deviceAgent)); + connectedDevices.insert(std::move(pair)); + + message_connector_->Send(EncodableMap{ + {"deviceId", std::to_string(bluetoothAddress)}, + {"ConnectionState", "connected"}, + }); +} + +void QuickBluePlugin::BluetoothLEDevice_ConnectionStatusChanged(BluetoothLEDevice sender, IInspectable args) { + OutputDebugString((L"ConnectionStatusChanged " + winrt::to_hstring((int32_t)sender.ConnectionStatus()) + L"\n").c_str()); + if (sender.ConnectionStatus() == BluetoothConnectionStatus::Disconnected) { + CleanConnection(sender.BluetoothAddress()); + message_connector_->Send(EncodableMap{ + {"deviceId", std::to_string(sender.BluetoothAddress())}, + {"ConnectionState", "disconnected"}, + }); + } +} + +void QuickBluePlugin::CleanConnection(uint64_t bluetoothAddress) { + auto node = connectedDevices.extract(bluetoothAddress); + if (!node.empty()) { + auto deviceAgent = std::move(node.mapped()); + deviceAgent->device.ConnectionStatusChanged(deviceAgent->connnectionStatusChangedToken); + for (auto& tokenPair : deviceAgent->valueChangedTokens) { + deviceAgent->gattCharacteristics.at(tokenPair.first).ValueChanged(tokenPair.second); + } + } +} + +winrt::fire_and_forget QuickBluePlugin::DiscoverServicesAsync(BluetoothDeviceAgent &bluetoothDeviceAgent) { + auto serviceResult = co_await bluetoothDeviceAgent.device.GetGattServicesAsync(); + if (serviceResult.Status() != GattCommunicationStatus::Success) { + message_connector_->Send( + EncodableMap{ + {"deviceId", std::to_string(bluetoothDeviceAgent.device.BluetoothAddress())}, + {"ServiceState", "discovered"} + } + ); + co_return; + } + + for (auto s : serviceResult.Services()) { + auto characteristicResult = co_await s.GetCharacteristicsAsync(); + auto msg = EncodableMap{ + {"deviceId", std::to_string(bluetoothDeviceAgent.device.BluetoothAddress())}, + {"ServiceState", "discovered"}, + {"service", to_uuidstr(s.Uuid())} + }; + if (characteristicResult.Status() == GattCommunicationStatus::Success) { + EncodableList characteristics; + for (auto c : characteristicResult.Characteristics()) { + characteristics.push_back(to_uuidstr(c.Uuid())); + } + msg.insert({"characteristics", characteristics}); + } + message_connector_->Send(msg); + } +} + +winrt::fire_and_forget QuickBluePlugin::RequestMtuAsync(BluetoothDeviceAgent& bluetoothDeviceAgent, uint64_t expectedMtu) { + OutputDebugString(L"RequestMtuAsync expectedMtu"); + auto gattSession = co_await GattSession::FromDeviceIdAsync(bluetoothDeviceAgent.device.BluetoothDeviceId()); + message_connector_->Send(EncodableMap{ + {"mtuConfig", (int64_t)gattSession.MaxPduSize()}, + }); +} + +winrt::fire_and_forget QuickBluePlugin::SetNotifiableAsync(BluetoothDeviceAgent& bluetoothDeviceAgent, GattCharacteristic& gattCharacteristic, std::string bleInputProperty) { + auto descriptorValue = bleInputProperty == "notification" ? GattClientCharacteristicConfigurationDescriptorValue::Notify + : bleInputProperty == "indication" ? GattClientCharacteristicConfigurationDescriptorValue::Indicate + : GattClientCharacteristicConfigurationDescriptorValue::None; + auto writeDescriptorStatus = co_await gattCharacteristic.WriteClientCharacteristicConfigurationDescriptorAsync(descriptorValue); + if (writeDescriptorStatus != GattCommunicationStatus::Success) + OutputDebugString((L"WriteClientCharacteristicConfigurationDescriptorAsync " + winrt::to_hstring((int32_t)writeDescriptorStatus) + L"\n").c_str()); + + auto uuid = to_uuidstr(gattCharacteristic.Uuid()); + if (bleInputProperty != "disabled") { + bluetoothDeviceAgent.valueChangedTokens[uuid] = gattCharacteristic.ValueChanged({ this, &QuickBluePlugin::GattCharacteristic_ValueChanged }); + } else { + gattCharacteristic.ValueChanged(std::exchange(bluetoothDeviceAgent.valueChangedTokens[uuid], {})); + } +} + +winrt::fire_and_forget QuickBluePlugin::ReadValueAsync(GattCharacteristic& gattCharacteristic) { + auto readValueResult = co_await gattCharacteristic.ReadValueAsync(); + auto uuid = to_uuidstr(gattCharacteristic.Uuid()); + auto bytes = to_bytevc(readValueResult.Value()); + OutputDebugString((L"ReadValueAsync " + winrt::to_hstring(uuid) + L", " + winrt::to_hstring(to_hexstring(bytes)) + L"\n").c_str()); + message_connector_->Send(EncodableMap{ + {"deviceId", std::to_string(gattCharacteristic.Service().Device().BluetoothAddress())}, + {"characteristicValue", EncodableMap{ + {"characteristic", uuid}, + {"value", bytes}, + }}, + }); +} + +winrt::fire_and_forget QuickBluePlugin::WriteValueAsync(GattCharacteristic& gattCharacteristic, std::vector value, std::string bleOutputProperty) { + auto writeOption = bleOutputProperty.compare("withoutResponse") == 0 ? GattWriteOption::WriteWithoutResponse : GattWriteOption::WriteWithResponse; + auto writeValueStatus = co_await gattCharacteristic.WriteValueAsync(from_bytevc(value), writeOption); + auto uuid = to_uuidstr(gattCharacteristic.Uuid()); + OutputDebugString((L"WriteValueAsync " + winrt::to_hstring(uuid) + L", " + winrt::to_hstring(to_hexstring(value)) + L", " + winrt::to_hstring((int32_t)writeValueStatus) + L"\n").c_str()); +} + +void QuickBluePlugin::GattCharacteristic_ValueChanged(GattCharacteristic sender, GattValueChangedEventArgs args) { + auto uuid = to_uuidstr(sender.Uuid()); + auto bytes = to_bytevc(args.CharacteristicValue()); + OutputDebugString((L"GattCharacteristic_ValueChanged " + winrt::to_hstring(uuid) + L", " + winrt::to_hstring(to_hexstring(bytes)) + L"\n").c_str()); + message_connector_->Send(EncodableMap{ + {"deviceId", std::to_string(sender.Service().Device().BluetoothAddress())}, + {"characteristicValue", EncodableMap{ + {"characteristic", uuid}, + {"value", bytes}, + }}, + }); +} + +} // namespace + +void QuickBluePluginRegisterWithRegistrar( + FlutterDesktopPluginRegistrarRef registrar) { + QuickBluePlugin::RegisterWithRegistrar( + flutter::PluginRegistrarManager::GetInstance() + ->GetRegistrar(registrar)); +} diff --git a/pubspec.lock b/pubspec.lock index 7655ba5..7da3fd6 100644 --- a/pubspec.lock +++ b/pubspec.lock @@ -1,6 +1,14 @@ # Generated by pub # See https://dart.dev/tools/pub/glossary#lockfile packages: + args: + dependency: transitive + description: + name: args + sha256: "7cf60b9f0cc88203c5a190b4cd62a99feea42759a7fa695010eb5de1c0b2252a" + url: "https://pub.dev" + source: hosted + version: "2.5.0" async: dependency: transitive description: @@ -9,6 +17,14 @@ packages: url: "https://pub.dev" source: hosted version: "2.11.0" + bluez: + dependency: transitive + description: + name: bluez + sha256: "203a1924e818a9dd74af2b2c7a8f375ab8e5edf0e486bba8f90a0d8a17ed9fce" + url: "https://pub.dev" + source: hosted + version: "0.8.2" boolean_selector: dependency: transitive description: @@ -41,6 +57,14 @@ packages: url: "https://pub.dev" source: hosted version: "1.18.0" + convert: + dependency: transitive + description: + name: convert + sha256: "0f08b14755d163f6e2134cb58222dd25ea2a2ee8a195e53983d57c075324d592" + url: "https://pub.dev" + source: hosted + version: "3.1.1" crypto: dependency: transitive description: @@ -65,6 +89,14 @@ packages: url: "https://pub.dev" source: hosted version: "1.4.8" + dbus: + dependency: transitive + description: + name: dbus + sha256: "365c771ac3b0e58845f39ec6deebc76e3276aa9922b0cc60840712094d9047ac" + url: "https://pub.dev" + source: hosted + version: "0.7.10" dylib: dependency: transitive description: @@ -94,6 +126,14 @@ packages: description: flutter source: sdk version: "0.0.0" + flutter_app_update: + dependency: "direct main" + description: + name: flutter_app_update + sha256: "2b83278d5cc807f543e623d5b466216316104335a4918d9cc4556f39985fe84a" + url: "https://pub.dev" + source: hosted + version: "3.1.0" flutter_lints: dependency: "direct dev" description: @@ -102,11 +142,29 @@ packages: url: "https://pub.dev" source: hosted version: "3.0.2" + flutter_localizations: + dependency: "direct main" + description: flutter + source: sdk + version: "0.0.0" + flutter_svg: + dependency: "direct main" + description: + name: flutter_svg + sha256: "7b4ca6cf3304575fe9c8ec64813c8d02ee41d2afe60bcfe0678bcb5375d596a2" + url: "https://pub.dev" + source: hosted + version: "2.0.10+1" flutter_test: dependency: "direct dev" description: flutter source: sdk version: "0.0.0" + flutter_web_plugins: + dependency: transitive + description: flutter + source: sdk + version: "0.0.0" flutter_webrtc: dependency: "direct main" description: @@ -123,6 +181,14 @@ packages: url: "https://pub.dev" source: hosted version: "4.6.6" + get_storage: + dependency: "direct main" + description: + name: get_storage + sha256: "39db1fffe779d0c22b3a744376e86febe4ade43bf65e06eab5af707dc84185a2" + url: "https://pub.dev" + source: hosted + version: "2.1.1" gnss: dependency: "direct main" description: @@ -132,6 +198,30 @@ packages: url: "https://git.mcxa.cn:89/flutter/gnss.git" source: git version: "0.0.1" + http: + dependency: "direct main" + description: + name: http + sha256: b9c29a161230ee03d3ccf545097fccd9b87a5264228c5d348202e0f0c28f9010 + url: "https://pub.dev" + source: hosted + version: "1.2.2" + http_parser: + dependency: transitive + description: + name: http_parser + sha256: "2aa08ce0341cc9b354a498388e30986515406668dbcc4f7c950c3e715496693b" + url: "https://pub.dev" + source: hosted + version: "4.0.2" + intl: + dependency: transitive + description: + name: intl + sha256: d6f56758b7d3014a48af9701c085700aac781a92a87a62b1333b46d8879661cf + url: "https://pub.dev" + source: hosted + version: "0.19.0" js: dependency: transitive description: @@ -213,6 +303,14 @@ packages: url: "https://pub.dev" source: hosted version: "1.12.0" + open_settings: + dependency: "direct main" + description: + name: open_settings + sha256: ceb716dc476352aecb939805b6fa6a593168a5ed1abfe3caa022b6b1715e94ae + url: "https://pub.dev" + source: hosted + version: "2.0.2" path: dependency: transitive description: @@ -221,6 +319,14 @@ packages: url: "https://pub.dev" source: hosted version: "1.9.0" + path_parsing: + dependency: transitive + description: + name: path_parsing + sha256: e3e67b1629e6f7e8100b367d3db6ba6af4b1f0bb80f64db18ef1fbabd2fa9ccf + url: "https://pub.dev" + source: hosted + version: "1.0.1" path_provider: dependency: transitive description: @@ -269,6 +375,62 @@ packages: url: "https://pub.dev" source: hosted version: "2.3.0" + permission_handler: + dependency: "direct main" + description: + name: permission_handler + sha256: "18bf33f7fefbd812f37e72091a15575e72d5318854877e0e4035a24ac1113ecb" + url: "https://pub.dev" + source: hosted + version: "11.3.1" + permission_handler_android: + dependency: transitive + description: + name: permission_handler_android + sha256: "76e4ab092c1b240d31177bb64d2b0bea43f43d0e23541ec866151b9f7b2490fa" + url: "https://pub.dev" + source: hosted + version: "12.0.12" + permission_handler_apple: + dependency: transitive + description: + name: permission_handler_apple + sha256: e6f6d73b12438ef13e648c4ae56bd106ec60d17e90a59c4545db6781229082a0 + url: "https://pub.dev" + source: hosted + version: "9.4.5" + permission_handler_html: + dependency: transitive + description: + name: permission_handler_html + sha256: d220eb8476b466d58b161e10b3001d93999010a26228a3fb89c4280db1249546 + url: "https://pub.dev" + source: hosted + version: "0.1.3+1" + permission_handler_platform_interface: + dependency: transitive + description: + name: permission_handler_platform_interface + sha256: fe0ffe274d665be8e34f9c59705441a7d248edebbe5d9e3ec2665f88b79358ea + url: "https://pub.dev" + source: hosted + version: "4.2.2" + permission_handler_windows: + dependency: transitive + description: + name: permission_handler_windows + sha256: "1a790728016f79a41216d88672dbc5df30e686e811ad4e698bfc51f76ad91f1e" + url: "https://pub.dev" + source: hosted + version: "0.2.1" + petitparser: + dependency: transitive + description: + name: petitparser + sha256: c15605cd28af66339f8eb6fbe0e541bfe2d1b72d5825efc6598f3e0a31b9ad27 + url: "https://pub.dev" + source: hosted + version: "6.0.2" platform: dependency: transitive description: @@ -301,6 +463,13 @@ packages: url: "https://pub.dev" source: hosted version: "2.1.4" + quick_blue: + dependency: "direct main" + description: + path: "plugins/quick_blue" + relative: true + source: path + version: "0.0.1" roslibdart: dependency: "direct main" description: @@ -387,6 +556,30 @@ packages: url: "https://pub.dev" source: hosted version: "1.3.2" + vector_graphics: + dependency: transitive + description: + name: vector_graphics + sha256: "32c3c684e02f9bc0afb0ae0aa653337a2fe022e8ab064bcd7ffda27a74e288e3" + url: "https://pub.dev" + source: hosted + version: "1.1.11+1" + vector_graphics_codec: + dependency: transitive + description: + name: vector_graphics_codec + sha256: c86987475f162fadff579e7320c7ddda04cd2fdeffbe1129227a85d9ac9e03da + url: "https://pub.dev" + source: hosted + version: "1.1.11+1" + vector_graphics_compiler: + dependency: transitive + description: + name: vector_graphics_compiler + sha256: "12faff3f73b1741a36ca7e31b292ddeb629af819ca9efe9953b70bd63fc8cd81" + url: "https://pub.dev" + source: hosted + version: "1.1.11+1" vector_math: dependency: transitive description: @@ -427,6 +620,22 @@ packages: url: "https://pub.dev" source: hosted version: "1.2.0" + wifi_iot: + dependency: "direct main" + description: + name: wifi_iot + sha256: "27a9b77ea589f089f94a65c937bcb8e2910e6cf9190583e117b76b8a8d592c03" + url: "https://pub.dev" + source: hosted + version: "0.3.19" + wifi_scan: + dependency: "direct main" + description: + name: wifi_scan + sha256: cd0b98a611a3206c1bd9e600b9dff3aca27dcc924aa025548b00713e93a27299 + url: "https://pub.dev" + source: hosted + version: "0.4.1" xdg_directories: dependency: transitive description: @@ -435,6 +644,14 @@ packages: url: "https://pub.dev" source: hosted version: "1.0.4" + xml: + dependency: transitive + description: + name: xml + sha256: b015a8ad1c488f66851d762d3090a21c600e479dc75e68328c52774040cf9226 + url: "https://pub.dev" + source: hosted + version: "6.5.0" sdks: dart: ">=3.4.4 <4.0.0" flutter: ">=3.22.0" diff --git a/pubspec.yaml b/pubspec.yaml index 3168ca1..c5c07d5 100644 --- a/pubspec.yaml +++ b/pubspec.yaml @@ -27,7 +27,9 @@ environment: # dependencies can be manually updated by changing the version numbers below to # the latest version available on pub.dev. To see which dependencies have newer # versions available, run `flutter pub outdated`. -dependencies: +dependencies: + quick_blue: + path: plugins/quick_blue flutter: sdk: flutter gnss: @@ -45,6 +47,17 @@ dependencies: get: ^4.6.6 flutter_webrtc: ^0.11.6+hotfix.1 roslibdart: ^0.0.1-dev+4 + get_storage: ^2.1.1 + http: ^1.2.2 + flutter_svg: ^2.0.10+1 + + permission_handler: ^11.3.1 + open_settings: ^2.0.2 + flutter_localizations: + sdk: flutter + flutter_app_update: ^3.1.0 + wifi_iot: ^0.3.19 + wifi_scan: ^0.4.1 dev_dependencies: flutter_test: @@ -71,6 +84,8 @@ flutter: # To add assets to your application, add an assets section, like this: assets: - images/pilerCar.png + - images/navi_pointer.png + - images/satellite.png # - images/a_dot_ham.jpeg # An image asset can refer to one or more resolution-specific "variants", see diff --git a/windows/flutter/generated_plugin_registrant.cc b/windows/flutter/generated_plugin_registrant.cc index 8b60194..e8c2d08 100644 --- a/windows/flutter/generated_plugin_registrant.cc +++ b/windows/flutter/generated_plugin_registrant.cc @@ -8,10 +8,16 @@ #include #include +#include +#include void RegisterPlugins(flutter::PluginRegistry* registry) { FlutterWebRTCPluginRegisterWithRegistrar( registry->GetRegistrarForPlugin("FlutterWebRTCPlugin")); LibserialportPluginCApiRegisterWithRegistrar( registry->GetRegistrarForPlugin("LibserialportPluginCApi")); + PermissionHandlerWindowsPluginRegisterWithRegistrar( + registry->GetRegistrarForPlugin("PermissionHandlerWindowsPlugin")); + QuickBluePluginRegisterWithRegistrar( + registry->GetRegistrarForPlugin("QuickBluePlugin")); } diff --git a/windows/flutter/generated_plugins.cmake b/windows/flutter/generated_plugins.cmake index 6d4f117..aa8305b 100644 --- a/windows/flutter/generated_plugins.cmake +++ b/windows/flutter/generated_plugins.cmake @@ -5,6 +5,8 @@ list(APPEND FLUTTER_PLUGIN_LIST flutter_webrtc libserialport + permission_handler_windows + quick_blue ) list(APPEND FLUTTER_FFI_PLUGIN_LIST